Spaces:
Runtime error
Runtime error
praneeth dodedu
commited on
Commit
·
97a3f8c
1
Parent(s):
62fdc39
files
Browse files- .env +5 -0
- app.py +167 -0
- constants.py +15 -0
- ingest.py +167 -0
- privategpt.py +82 -0
- requirements.txt +20 -0
- rybot_small.png +0 -0
- source_documents/0130153.txt +30 -0
- source_documents/0130156.txt +231 -0
- source_documents/0160111.txt +12 -0
- source_documents/Volvo VNRe First Responders Guide and Towing.txt +121 -0
- source_documents/Zone Defense.txt +276 -0
- source_documents/state_of_the_union.txt +723 -0
.env
ADDED
@@ -0,0 +1,5 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
PERSIST_DIRECTORY=db
|
2 |
+
MODEL_TYPE=GPT4All
|
3 |
+
MODEL_PATH=ggml-gpt4all-j-v1.3-groovy.bin
|
4 |
+
EMBEDDINGS_MODEL_NAME=all-MiniLM-L6-v2
|
5 |
+
MODEL_N_CTX=1000
|
app.py
ADDED
@@ -0,0 +1,167 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
#!/usr/bin/env python3
|
2 |
+
import os
|
3 |
+
import glob
|
4 |
+
from typing import List
|
5 |
+
from dotenv import load_dotenv
|
6 |
+
from multiprocessing import Pool
|
7 |
+
from tqdm import tqdm
|
8 |
+
|
9 |
+
from langchain.document_loaders import (
|
10 |
+
CSVLoader,
|
11 |
+
EverNoteLoader,
|
12 |
+
PDFMinerLoader,
|
13 |
+
TextLoader,
|
14 |
+
UnstructuredEmailLoader,
|
15 |
+
UnstructuredEPubLoader,
|
16 |
+
UnstructuredHTMLLoader,
|
17 |
+
UnstructuredMarkdownLoader,
|
18 |
+
UnstructuredODTLoader,
|
19 |
+
UnstructuredPowerPointLoader,
|
20 |
+
UnstructuredWordDocumentLoader,
|
21 |
+
)
|
22 |
+
|
23 |
+
from langchain.text_splitter import RecursiveCharacterTextSplitter
|
24 |
+
from langchain.vectorstores import Chroma
|
25 |
+
from langchain.embeddings import HuggingFaceEmbeddings
|
26 |
+
from langchain.docstore.document import Document
|
27 |
+
from constants import CHROMA_SETTINGS
|
28 |
+
|
29 |
+
|
30 |
+
load_dotenv()
|
31 |
+
|
32 |
+
|
33 |
+
# Load environment variables
|
34 |
+
persist_directory = os.environ.get('PERSIST_DIRECTORY')
|
35 |
+
source_directory = os.environ.get('SOURCE_DIRECTORY', 'source_documents')
|
36 |
+
embeddings_model_name = os.environ.get('EMBEDDINGS_MODEL_NAME')
|
37 |
+
chunk_size = 500
|
38 |
+
chunk_overlap = 50
|
39 |
+
|
40 |
+
|
41 |
+
# Custom document loaders
|
42 |
+
class MyElmLoader(UnstructuredEmailLoader):
|
43 |
+
"""Wrapper to fallback to text/plain when default does not work"""
|
44 |
+
|
45 |
+
def load(self) -> List[Document]:
|
46 |
+
"""Wrapper adding fallback for elm without html"""
|
47 |
+
try:
|
48 |
+
try:
|
49 |
+
doc = UnstructuredEmailLoader.load(self)
|
50 |
+
except ValueError as e:
|
51 |
+
if 'text/html content not found in email' in str(e):
|
52 |
+
# Try plain text
|
53 |
+
self.unstructured_kwargs["content_source"]="text/plain"
|
54 |
+
doc = UnstructuredEmailLoader.load(self)
|
55 |
+
else:
|
56 |
+
raise
|
57 |
+
except Exception as e:
|
58 |
+
# Add file_path to exception message
|
59 |
+
raise type(e)(f"{self.file_path}: {e}") from e
|
60 |
+
|
61 |
+
return doc
|
62 |
+
|
63 |
+
|
64 |
+
# Map file extensions to document loaders and their arguments
|
65 |
+
LOADER_MAPPING = {
|
66 |
+
".csv": (CSVLoader, {}),
|
67 |
+
# ".docx": (Docx2txtLoader, {}),
|
68 |
+
".doc": (UnstructuredWordDocumentLoader, {}),
|
69 |
+
".docx": (UnstructuredWordDocumentLoader, {}),
|
70 |
+
".enex": (EverNoteLoader, {}),
|
71 |
+
".eml": (MyElmLoader, {}),
|
72 |
+
".epub": (UnstructuredEPubLoader, {}),
|
73 |
+
".html": (UnstructuredHTMLLoader, {}),
|
74 |
+
".md": (UnstructuredMarkdownLoader, {}),
|
75 |
+
".odt": (UnstructuredODTLoader, {}),
|
76 |
+
".pdf": (PDFMinerLoader, {}),
|
77 |
+
".ppt": (UnstructuredPowerPointLoader, {}),
|
78 |
+
".pptx": (UnstructuredPowerPointLoader, {}),
|
79 |
+
".txt": (TextLoader, {"encoding": "utf8"}),
|
80 |
+
# Add more mappings for other file extensions and loaders as needed
|
81 |
+
}
|
82 |
+
|
83 |
+
|
84 |
+
def load_single_document(file_path: str) -> Document:
|
85 |
+
ext = "." + file_path.rsplit(".", 1)[-1]
|
86 |
+
if ext in LOADER_MAPPING:
|
87 |
+
loader_class, loader_args = LOADER_MAPPING[ext]
|
88 |
+
loader = loader_class(file_path, **loader_args)
|
89 |
+
return loader.load()[0]
|
90 |
+
|
91 |
+
raise ValueError(f"Unsupported file extension '{ext}'")
|
92 |
+
|
93 |
+
|
94 |
+
def load_documents(source_dir: str, ignored_files: List[str] = []) -> List[Document]:
|
95 |
+
"""
|
96 |
+
Loads all documents from the source documents directory, ignoring specified files
|
97 |
+
"""
|
98 |
+
all_files = []
|
99 |
+
for ext in LOADER_MAPPING:
|
100 |
+
all_files.extend(
|
101 |
+
glob.glob(os.path.join(source_dir, f"**/*{ext}"), recursive=True)
|
102 |
+
)
|
103 |
+
filtered_files = [file_path for file_path in all_files if file_path not in ignored_files]
|
104 |
+
|
105 |
+
with Pool(processes=os.cpu_count()) as pool:
|
106 |
+
results = []
|
107 |
+
with tqdm(total=len(filtered_files), desc='Loading new documents', ncols=80) as pbar:
|
108 |
+
for i, doc in enumerate(pool.imap_unordered(load_single_document, filtered_files)):
|
109 |
+
results.append(doc)
|
110 |
+
pbar.update()
|
111 |
+
|
112 |
+
return results
|
113 |
+
|
114 |
+
def process_documents(ignored_files: List[str] = []) -> List[Document]:
|
115 |
+
"""
|
116 |
+
Load documents and split in chunks
|
117 |
+
"""
|
118 |
+
print(f"Loading documents from {source_directory}")
|
119 |
+
documents = load_documents(source_directory, ignored_files)
|
120 |
+
if not documents:
|
121 |
+
print("No new documents to load")
|
122 |
+
exit(0)
|
123 |
+
print(f"Loaded {len(documents)} new documents from {source_directory}")
|
124 |
+
text_splitter = RecursiveCharacterTextSplitter(chunk_size=chunk_size, chunk_overlap=chunk_overlap)
|
125 |
+
texts = text_splitter.split_documents(documents)
|
126 |
+
print(f"Split into {len(texts)} chunks of text (max. {chunk_size} tokens each)")
|
127 |
+
return texts
|
128 |
+
|
129 |
+
def does_vectorstore_exist(persist_directory: str) -> bool:
|
130 |
+
"""
|
131 |
+
Checks if vectorstore exists
|
132 |
+
"""
|
133 |
+
if os.path.exists(os.path.join(persist_directory, 'index')):
|
134 |
+
if os.path.exists(os.path.join(persist_directory, 'chroma-collections.parquet')) and os.path.exists(os.path.join(persist_directory, 'chroma-embeddings.parquet')):
|
135 |
+
list_index_files = glob.glob(os.path.join(persist_directory, 'index/*.bin'))
|
136 |
+
list_index_files += glob.glob(os.path.join(persist_directory, 'index/*.pkl'))
|
137 |
+
# At least 3 documents are needed in a working vectorstore
|
138 |
+
if len(list_index_files) > 3:
|
139 |
+
return True
|
140 |
+
return False
|
141 |
+
|
142 |
+
def main():
|
143 |
+
# Create embeddings
|
144 |
+
embeddings = HuggingFaceEmbeddings(model_name=embeddings_model_name)
|
145 |
+
|
146 |
+
if does_vectorstore_exist(persist_directory):
|
147 |
+
# Update and store locally vectorstore
|
148 |
+
print(f"Appending to existing vectorstore at {persist_directory}")
|
149 |
+
db = Chroma(persist_directory=persist_directory, embedding_function=embeddings, client_settings=CHROMA_SETTINGS)
|
150 |
+
collection = db.get()
|
151 |
+
texts = process_documents([metadata['source'] for metadata in collection['metadatas']])
|
152 |
+
print(f"Creating embeddings. May take some minutes...")
|
153 |
+
db.add_documents(texts)
|
154 |
+
else:
|
155 |
+
# Create and store locally vectorstore
|
156 |
+
print("Creating new vectorstore")
|
157 |
+
texts = process_documents()
|
158 |
+
print(f"Creating embeddings. May take some minutes...")
|
159 |
+
db = Chroma.from_documents(texts, embeddings, persist_directory=persist_directory, client_settings=CHROMA_SETTINGS)
|
160 |
+
db.persist()
|
161 |
+
db = None
|
162 |
+
|
163 |
+
print(f"Ingestion complete! You can now run privateGPT.py to query your documents")
|
164 |
+
|
165 |
+
|
166 |
+
if __name__ == "__main__":
|
167 |
+
main()
|
constants.py
ADDED
@@ -0,0 +1,15 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import os
|
2 |
+
from dotenv import load_dotenv
|
3 |
+
from chromadb.config import Settings
|
4 |
+
|
5 |
+
load_dotenv()
|
6 |
+
|
7 |
+
# Define the folder for storing database
|
8 |
+
PERSIST_DIRECTORY = os.environ.get('PERSIST_DIRECTORY')
|
9 |
+
|
10 |
+
# Define the Chroma settings
|
11 |
+
CHROMA_SETTINGS = Settings(
|
12 |
+
chroma_db_impl='duckdb+parquet',
|
13 |
+
persist_directory=PERSIST_DIRECTORY,
|
14 |
+
anonymized_telemetry=False
|
15 |
+
)
|
ingest.py
ADDED
@@ -0,0 +1,167 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
#!/usr/bin/env python3
|
2 |
+
import os
|
3 |
+
import glob
|
4 |
+
from typing import List
|
5 |
+
from dotenv import load_dotenv
|
6 |
+
from multiprocessing import Pool
|
7 |
+
from tqdm import tqdm
|
8 |
+
|
9 |
+
from langchain.document_loaders import (
|
10 |
+
CSVLoader,
|
11 |
+
EverNoteLoader,
|
12 |
+
PDFMinerLoader,
|
13 |
+
TextLoader,
|
14 |
+
UnstructuredEmailLoader,
|
15 |
+
UnstructuredEPubLoader,
|
16 |
+
UnstructuredHTMLLoader,
|
17 |
+
UnstructuredMarkdownLoader,
|
18 |
+
UnstructuredODTLoader,
|
19 |
+
UnstructuredPowerPointLoader,
|
20 |
+
UnstructuredWordDocumentLoader,
|
21 |
+
)
|
22 |
+
|
23 |
+
from langchain.text_splitter import RecursiveCharacterTextSplitter
|
24 |
+
from langchain.vectorstores import Chroma
|
25 |
+
from langchain.embeddings import HuggingFaceEmbeddings
|
26 |
+
from langchain.docstore.document import Document
|
27 |
+
from constants import CHROMA_SETTINGS
|
28 |
+
|
29 |
+
|
30 |
+
load_dotenv()
|
31 |
+
|
32 |
+
|
33 |
+
# Load environment variables
|
34 |
+
persist_directory = os.environ.get('PERSIST_DIRECTORY')
|
35 |
+
source_directory = os.environ.get('SOURCE_DIRECTORY', 'source_documents')
|
36 |
+
embeddings_model_name = os.environ.get('EMBEDDINGS_MODEL_NAME')
|
37 |
+
chunk_size = 500
|
38 |
+
chunk_overlap = 50
|
39 |
+
|
40 |
+
|
41 |
+
# Custom document loaders
|
42 |
+
class MyElmLoader(UnstructuredEmailLoader):
|
43 |
+
"""Wrapper to fallback to text/plain when default does not work"""
|
44 |
+
|
45 |
+
def load(self) -> List[Document]:
|
46 |
+
"""Wrapper adding fallback for elm without html"""
|
47 |
+
try:
|
48 |
+
try:
|
49 |
+
doc = UnstructuredEmailLoader.load(self)
|
50 |
+
except ValueError as e:
|
51 |
+
if 'text/html content not found in email' in str(e):
|
52 |
+
# Try plain text
|
53 |
+
self.unstructured_kwargs["content_source"]="text/plain"
|
54 |
+
doc = UnstructuredEmailLoader.load(self)
|
55 |
+
else:
|
56 |
+
raise
|
57 |
+
except Exception as e:
|
58 |
+
# Add file_path to exception message
|
59 |
+
raise type(e)(f"{self.file_path}: {e}") from e
|
60 |
+
|
61 |
+
return doc
|
62 |
+
|
63 |
+
|
64 |
+
# Map file extensions to document loaders and their arguments
|
65 |
+
LOADER_MAPPING = {
|
66 |
+
".csv": (CSVLoader, {}),
|
67 |
+
# ".docx": (Docx2txtLoader, {}),
|
68 |
+
".doc": (UnstructuredWordDocumentLoader, {}),
|
69 |
+
".docx": (UnstructuredWordDocumentLoader, {}),
|
70 |
+
".enex": (EverNoteLoader, {}),
|
71 |
+
".eml": (MyElmLoader, {}),
|
72 |
+
".epub": (UnstructuredEPubLoader, {}),
|
73 |
+
".html": (UnstructuredHTMLLoader, {}),
|
74 |
+
".md": (UnstructuredMarkdownLoader, {}),
|
75 |
+
".odt": (UnstructuredODTLoader, {}),
|
76 |
+
".pdf": (PDFMinerLoader, {}),
|
77 |
+
".ppt": (UnstructuredPowerPointLoader, {}),
|
78 |
+
".pptx": (UnstructuredPowerPointLoader, {}),
|
79 |
+
".txt": (TextLoader, {"encoding": "utf8"}),
|
80 |
+
# Add more mappings for other file extensions and loaders as needed
|
81 |
+
}
|
82 |
+
|
83 |
+
|
84 |
+
def load_single_document(file_path: str) -> Document:
|
85 |
+
ext = "." + file_path.rsplit(".", 1)[-1]
|
86 |
+
if ext in LOADER_MAPPING:
|
87 |
+
loader_class, loader_args = LOADER_MAPPING[ext]
|
88 |
+
loader = loader_class(file_path, **loader_args)
|
89 |
+
return loader.load()[0]
|
90 |
+
|
91 |
+
raise ValueError(f"Unsupported file extension '{ext}'")
|
92 |
+
|
93 |
+
|
94 |
+
def load_documents(source_dir: str, ignored_files: List[str] = []) -> List[Document]:
|
95 |
+
"""
|
96 |
+
Loads all documents from the source documents directory, ignoring specified files
|
97 |
+
"""
|
98 |
+
all_files = []
|
99 |
+
for ext in LOADER_MAPPING:
|
100 |
+
all_files.extend(
|
101 |
+
glob.glob(os.path.join(source_dir, f"**/*{ext}"), recursive=True)
|
102 |
+
)
|
103 |
+
filtered_files = [file_path for file_path in all_files if file_path not in ignored_files]
|
104 |
+
|
105 |
+
with Pool(processes=os.cpu_count()) as pool:
|
106 |
+
results = []
|
107 |
+
with tqdm(total=len(filtered_files), desc='Loading new documents', ncols=80) as pbar:
|
108 |
+
for i, doc in enumerate(pool.imap_unordered(load_single_document, filtered_files)):
|
109 |
+
results.append(doc)
|
110 |
+
pbar.update()
|
111 |
+
|
112 |
+
return results
|
113 |
+
|
114 |
+
def process_documents(ignored_files: List[str] = []) -> List[Document]:
|
115 |
+
"""
|
116 |
+
Load documents and split in chunks
|
117 |
+
"""
|
118 |
+
print(f"Loading documents from {source_directory}")
|
119 |
+
documents = load_documents(source_directory, ignored_files)
|
120 |
+
if not documents:
|
121 |
+
print("No new documents to load")
|
122 |
+
exit(0)
|
123 |
+
print(f"Loaded {len(documents)} new documents from {source_directory}")
|
124 |
+
text_splitter = RecursiveCharacterTextSplitter(chunk_size=chunk_size, chunk_overlap=chunk_overlap)
|
125 |
+
texts = text_splitter.split_documents(documents)
|
126 |
+
print(f"Split into {len(texts)} chunks of text (max. {chunk_size} tokens each)")
|
127 |
+
return texts
|
128 |
+
|
129 |
+
def does_vectorstore_exist(persist_directory: str) -> bool:
|
130 |
+
"""
|
131 |
+
Checks if vectorstore exists
|
132 |
+
"""
|
133 |
+
if os.path.exists(os.path.join(persist_directory, 'index')):
|
134 |
+
if os.path.exists(os.path.join(persist_directory, 'chroma-collections.parquet')) and os.path.exists(os.path.join(persist_directory, 'chroma-embeddings.parquet')):
|
135 |
+
list_index_files = glob.glob(os.path.join(persist_directory, 'index/*.bin'))
|
136 |
+
list_index_files += glob.glob(os.path.join(persist_directory, 'index/*.pkl'))
|
137 |
+
# At least 3 documents are needed in a working vectorstore
|
138 |
+
if len(list_index_files) > 3:
|
139 |
+
return True
|
140 |
+
return False
|
141 |
+
|
142 |
+
def main():
|
143 |
+
# Create embeddings
|
144 |
+
embeddings = HuggingFaceEmbeddings(model_name=embeddings_model_name)
|
145 |
+
|
146 |
+
if does_vectorstore_exist(persist_directory):
|
147 |
+
# Update and store locally vectorstore
|
148 |
+
print(f"Appending to existing vectorstore at {persist_directory}")
|
149 |
+
db = Chroma(persist_directory=persist_directory, embedding_function=embeddings, client_settings=CHROMA_SETTINGS)
|
150 |
+
collection = db.get()
|
151 |
+
texts = process_documents([metadata['source'] for metadata in collection['metadatas']])
|
152 |
+
print(f"Creating embeddings. May take some minutes...")
|
153 |
+
db.add_documents(texts)
|
154 |
+
else:
|
155 |
+
# Create and store locally vectorstore
|
156 |
+
print("Creating new vectorstore")
|
157 |
+
texts = process_documents()
|
158 |
+
print(f"Creating embeddings. May take some minutes...")
|
159 |
+
db = Chroma.from_documents(texts, embeddings, persist_directory=persist_directory, client_settings=CHROMA_SETTINGS)
|
160 |
+
db.persist()
|
161 |
+
db = None
|
162 |
+
|
163 |
+
print(f"Ingestion complete! You can now run privateGPT.py to query your documents")
|
164 |
+
|
165 |
+
|
166 |
+
if __name__ == "__main__":
|
167 |
+
main()
|
privategpt.py
ADDED
@@ -0,0 +1,82 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
#!/usr/bin/env python3
|
2 |
+
from dotenv import load_dotenv
|
3 |
+
from langchain.chains import RetrievalQA
|
4 |
+
from langchain.embeddings import HuggingFaceEmbeddings
|
5 |
+
from langchain.callbacks.streaming_stdout import StreamingStdOutCallbackHandler
|
6 |
+
from langchain.vectorstores import Chroma
|
7 |
+
from langchain.llms import GPT4All, LlamaCpp
|
8 |
+
import os
|
9 |
+
import argparse
|
10 |
+
|
11 |
+
load_dotenv()
|
12 |
+
|
13 |
+
embeddings_model_name = os.environ.get("EMBEDDINGS_MODEL_NAME")
|
14 |
+
persist_directory = os.environ.get('PERSIST_DIRECTORY')
|
15 |
+
|
16 |
+
model_type = os.environ.get('MODEL_TYPE')
|
17 |
+
model_path = os.environ.get('MODEL_PATH')
|
18 |
+
model_n_ctx = os.environ.get('MODEL_N_CTX')
|
19 |
+
|
20 |
+
from constants import CHROMA_SETTINGS
|
21 |
+
|
22 |
+
def main():
|
23 |
+
# Parse the command line arguments
|
24 |
+
args = parse_arguments()
|
25 |
+
embeddings = HuggingFaceEmbeddings(model_name=embeddings_model_name)
|
26 |
+
db = Chroma(persist_directory=persist_directory, embedding_function=embeddings, client_settings=CHROMA_SETTINGS)
|
27 |
+
retriever = db.as_retriever()
|
28 |
+
# activate/deactivate the streaming StdOut callback for LLMs
|
29 |
+
callbacks = [] if args.mute_stream else [StreamingStdOutCallbackHandler()]
|
30 |
+
# Prepare the LLM
|
31 |
+
'''match model_type:
|
32 |
+
case "LlamaCpp":
|
33 |
+
llm = LlamaCpp(model_path=model_path, n_ctx=model_n_ctx, callbacks=callbacks, verbose=False)
|
34 |
+
case "GPT4All":
|
35 |
+
llm = GPT4All(model=model_path, n_ctx=model_n_ctx, backend='gptj', callbacks=callbacks, verbose=False)
|
36 |
+
case _default:
|
37 |
+
print(f"Model {model_type} not supported!")
|
38 |
+
exit;'''
|
39 |
+
if model_type == "LlamaCpp":
|
40 |
+
llm = LlamaCpp(model_path=model_path, n_ctx=model_n_ctx, callbacks=callbacks, verbose=False)
|
41 |
+
elif model_type == "GPT4All":
|
42 |
+
llm = GPT4All(model=model_path, n_ctx=model_n_ctx, backend='gptj', callbacks=callbacks, verbose=False)
|
43 |
+
else:
|
44 |
+
print(f"Model {model_type} not supported!")
|
45 |
+
exit;
|
46 |
+
qa = RetrievalQA.from_chain_type(llm=llm, chain_type="stuff", retriever=retriever, return_source_documents= not args.hide_source)
|
47 |
+
# Interactive questions and answers
|
48 |
+
while True:
|
49 |
+
query = input("\nEnter a query: ")
|
50 |
+
if query == "exit":
|
51 |
+
break
|
52 |
+
|
53 |
+
# Get the answer from the chain
|
54 |
+
res = qa(query)
|
55 |
+
answer, docs = res['result'], [] if args.hide_source else res['source_documents']
|
56 |
+
|
57 |
+
# Print the result
|
58 |
+
print("\n\n> Question:")
|
59 |
+
print(query)
|
60 |
+
print("\n> Answer:")
|
61 |
+
print(answer)
|
62 |
+
|
63 |
+
# Print the relevant sources used for the answer
|
64 |
+
for document in docs:
|
65 |
+
print("\n> " + document.metadata["source"] + ":")
|
66 |
+
print(document.page_content)
|
67 |
+
|
68 |
+
def parse_arguments():
|
69 |
+
parser = argparse.ArgumentParser(description='privateGPT: Ask questions to your documents without an internet connection, '
|
70 |
+
'using the power of LLMs.')
|
71 |
+
parser.add_argument("--hide-source", "-S", action='store_true',
|
72 |
+
help='Use this flag to disable printing of source documents used for answers.')
|
73 |
+
|
74 |
+
parser.add_argument("--mute-stream", "-M",
|
75 |
+
action='store_true',
|
76 |
+
help='Use this flag to disable the streaming StdOut callback for LLMs.')
|
77 |
+
|
78 |
+
return parser.parse_args()
|
79 |
+
|
80 |
+
|
81 |
+
if __name__ == "__main__":
|
82 |
+
main()
|
requirements.txt
ADDED
@@ -0,0 +1,20 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
langchain==0.0.171
|
2 |
+
pygpt4all==1.1.0
|
3 |
+
chromadb==0.3.23
|
4 |
+
llama-cpp-python==0.1.50
|
5 |
+
urllib3==2.0.2
|
6 |
+
pdfminer.six==20221105
|
7 |
+
python-dotenv==1.0.0
|
8 |
+
unstructured==0.6.6
|
9 |
+
extract-msg==0.41.1
|
10 |
+
tabulate==0.9.0
|
11 |
+
pandoc==2.3
|
12 |
+
pypandoc==1.11
|
13 |
+
tqdm==4.65.0
|
14 |
+
numpy
|
15 |
+
sentence-transformers==2.2.2
|
16 |
+
faiss-cpu
|
17 |
+
nltk
|
18 |
+
openai
|
19 |
+
gradio==3.31.0
|
20 |
+
pandas
|
rybot_small.png
ADDED
![]() |
source_documents/0130153.txt
ADDED
@@ -0,0 +1,30 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
Brake Electronic Control Unit (ECU), Reprogramming (MID136) VN, VHD, VAH, VT
|
2 |
+
FSB 513-001, Brake Electronic Control Unit (ECU), Reprogramming (MID 136)
|
3 |
+
|
4 |
+
Certain VOLVO VN, VHD, VT, and VAH trucks equipped with the basic ESP package (ZMX-A1X), and built between January 1, 2010 and November 9, 2014, may activate an MID 136 Anti-Lock Brake System (ABS) SID 66 FMI 7 or Bendix DTC 20-8 code without any component failures, mechanical failures, or system mis-wires. The MID 136 code is due to an ABS Electronic Control Unit (ECU) threshold setting. Follow the Brake ECU (MID 136) repair and reprogramming steps outlined in this Field Service Bulletin (FSB).
|
5 |
+
|
6 |
+
Repair, Reprogramming Procedure
|
7 |
+
You must read and understand the precautions and guidelines in Service Information, group 50, "General Safety Practices, Wheel Brakes" before performing this procedure. If you are not properly trained and certified in this procedure, ask your supervisor for training before you perform it.
|
8 |
+
NOTE: Information is subject to change without notice. Illustrations are used for reference only and can differ slightly from the actual vehicle being serviced. However, key components addressed in this information are represented as accurately as possible.
|
9 |
+
1. Park the vehicle on a flat and level surface.
|
10 |
+
2. Apply the parking brake.
|
11 |
+
3. Place the transmission in neutral or park.
|
12 |
+
4. Install the wheel chocks.
|
13 |
+
5. Download the latest Bendix VCP file to the Premium Tech Tool (PTT) laptop.
|
14 |
+
Note: Follow the screen captures from the Truck Dealer Portal to locate the latest VCP file and download instructions.
|
15 |
+
6. Reprogram the ABS (MID136) ECU. Note: Follow the on screen prompts until the programming is complete.
|
16 |
+
7. Verify proper operation after reprogramming is complete.
|
17 |
+
8. Remove the wheel chocks.
|
18 |
+
|
19 |
+
Reimbursement
|
20 |
+
|
21 |
+
This repair may be eligible for reimbursement if a product failure was experienced within time and mileage limits of the applicable Warranty coverage. Reimbursement is obtained via the normal claim handling process.
|
22 |
+
|
23 |
+
Claim Type (used only when uploading from the Dealer Bus. Sys.) for UCHP Reimbursement is "W".
|
24 |
+
Claim Type (used only when uploading from the Dealer Bus. Sys.) for eWarranty Reimbursement is "W".
|
25 |
+
Labor Code for UCHP Reimbursement is "None".
|
26 |
+
Labor Code foreWarranty Reimbursement is "None".
|
27 |
+
Primary Labor Code (Brake Electronic Control Unit (ECU), Reprogramming, MID 136) for UCHP Reimbursement is "5139-22-09-01 0.4 hrs.".
|
28 |
+
Primary Labor Code (Brake Electronic Control Unit (ECU), Reprogramming, MID 136) for eWarranty Reimbursement is "51301-2-00 0.4 hrs.".
|
29 |
+
Causal Part for UCHP Reimbursement is "20824479".
|
30 |
+
Causal Part for UCHP Reimbursement is "20824479".
|
source_documents/0130156.txt
ADDED
@@ -0,0 +1,231 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
1. INTRODUCTION
|
2 |
+
|
3 |
+
Consolidated Metco (ConMet) brake drums are designed for superior performance and long life, and are available for most commercial vehicle applications.
|
4 |
+
ConMet currently offers three types of brake drums:
|
5 |
+
1. Standard cast brake drums
|
6 |
+
2. CastLite brake drums
|
7 |
+
3. TruTurn brake drums
|
8 |
+
|
9 |
+
Standard Cast Brake Drums
|
10 |
+
ConMet standard cast brake drums are available for a wide range of heavy and severe-duty vehicle applications. Critical areas are precision machined, and all are balanced using a cut in the squealer band
|
11 |
+
|
12 |
+
Cast Lite Brake Drums
|
13 |
+
ConMet CastLite brake drums are designed with a computer-optimized shape that results in up to a 15% weight savings over standard drums. Critical areas are precision machined, and all CastLite drums are balanced using a cut in the squealer band (Figure 2).
|
14 |
+
|
15 |
+
TruTurn Brake Drums
|
16 |
+
ConMet TruTurn brake drums are precision machined over 95% of their surface area. This results in a drum that is inherently balanced, eliminating the need for weld-on weights or balance cuts. Machining the drum inside and out also improves performance due to consistent wall thickness and uniform thermal expansion (Figure 3).
|
17 |
+
|
18 |
+
2. IDENTIFICATION
|
19 |
+
WHEEL MOUNTING SYSTEMS
|
20 |
+
Most ConMet brake drums can be used with both hub pilot and ball seat nut configurations.
|
21 |
+
|
22 |
+
Hub Pilot Wheel Mounting
|
23 |
+
The hub pilot wheel mounting system makes use of a single two-piece flange nut on each wheel stud for both single and dual wheel applications (Figure 4). The hub pilot wheel mounting system is also known as the Uni-Mount-10 (10 stud), WHD-10 (10 stud), WHD-8 (8 stud), and ISO system. All ConMet brake drums have been designed to be compatible with hub pilot wheel mounting systems.
|
24 |
+
There is no need to confirm stud hole size if fitting a ConMet drum to a hub pilot mounting system.
|
25 |
+
|
26 |
+
Ball Seat Mounting Systems
|
27 |
+
The ball seat wheel mounting system makes use of the spherical contact area between the nut and wheel to both locate the wheel and hold the wheel tight against the brake drum (Figure 5). The ball seat wheel mounting system is also known as stud piloted, ball seat cap nut (BCN), and double cap nut (DCN) system. All ConMet brake drums are compatible with ball seat systems in dual wheel applications. Brake drum stud hole size must be confirmed for single wheel applications, however. In this case, drum stud hole diameters must be greater than 1-1/4 inch to be compatible.
|
28 |
+
|
29 |
+
IDENTIFYING CONMET BRAKE DRUMS
|
30 |
+
Identifying your brake drum is important for many reasons. It will enable you to purchase the appropriate replacement if needed. In addition, if a warranty issue arises, you will then be able to provide details on all aspects of the ConMet drum. This section is devoted to finding and understanding the different identification numbers associated with ConMet drums.
|
31 |
+
|
32 |
+
Vehicle Identification Number (VIN): One method of identifying your drums is to note the vehicle identification number (VIN) and call a truck dealership. The dealership can then tell you what drums were installed on your vehicle. If this is not possible, there is a ConMet identifying mark and part number cast into the drum that will identify it.
|
33 |
+
|
34 |
+
ConMet Identifying Mark: The identifying mark “CONMET” is physically cast into the outside of all drums manufactured by ConMet. It appears in large characters and is located on the transition between the mounting flange and the barrel (Figure 6). These letters are raised on standard cast and CastLite drums and recessed on TruTurn drums.
|
35 |
+
|
36 |
+
ConMet Part Number: The ConMet part number is a 6- or 8-digit number physically cast into the outside of the drum near the identifying mark (Figure 6). These numbers are raised on standard cast and CastLite drums and recessed on TruTurn drums.
|
37 |
+
|
38 |
+
Date Code: All ConMet drums have a date code cast into the drum near the same location as the identifying mark and part number. The date code provides the date that the drum was manufactured and may be used for warranty purposes.These numbers are raised on standard cast and CastLite drums and recessed on TruTurn drums. Cast dates will have one of two formats:
|
39 |
+
Format 1: Format: YMDD, Example: 4F22, Meaning: June 22, 2014
|
40 |
+
Format 2: Format: DDMMYY, Example: 220614, Meaning: June 22, 2014
|
41 |
+
|
42 |
+
For date codes using a letter to designate the month of manufacture, refer to the following table:
|
43 |
+
A-January
|
44 |
+
B-February
|
45 |
+
C-March
|
46 |
+
D-April
|
47 |
+
E-May
|
48 |
+
F-June
|
49 |
+
G-July
|
50 |
+
H-August
|
51 |
+
J-September
|
52 |
+
K-October
|
53 |
+
L-November
|
54 |
+
M-December
|
55 |
+
|
56 |
+
3. BRAKE DRUM REMOVAL
|
57 |
+
1. Park the vehicle on a level surface. Block the wheels to prevent the vehicle from moving.
|
58 |
+
2. Raise the axle until the tires are off the floor.
|
59 |
+
3. Place safety stands under the trailer frame or under each axle spring seat. (Figure 7).
|
60 |
+
4. Remove the tire and wheel assembly using procedures specified by the wheel manufacturer.
|
61 |
+
5. If the axle is equipped with spring brake chambers, carefully compress and lock the springs so that they cannot actuate (Figure 8).
|
62 |
+
6. Remove the brake drum. Support the drum during the removal process to prevent damage to the axle spindle threads.
|
63 |
+
NOTE: If the drum is difficult to remove, apply a corrosion penetrant between the hub and drum mating surfaces. Allow enough time for the penetrant to release the frozen joint. Do NOT use a hammer to release the drum from the hub. Prior to reinstallation of the drum, all hub and drum mating surfaces must be cleaned to remove any residual penetrant.
|
64 |
+
|
65 |
+
WARNING: Sudden release of compressed air can cause serious personal injury and damage to components. Before you service a spring chamber, carefully follow the manufacturerʼs instructions to compress and lock the spring to completely release the brake. Verify that no air pressure remains in the service chamber before you proceed.
|
66 |
+
WARNING: Some brake linings contain asbestos fibers, a cancer and lung disease hazard. Some brake linings contain non-asbestos fibers, whose long-term effects to health are unknown. When working with asbestos and non-asbestos materials, follow proper safety precautions and procedures as specified by the Occupational Safety & Health Administration (www.osha.gov)
|
67 |
+
DANGER: To prevent serious eye injury, always wear safe eye protection when you perform vehicle maintenance or service. Do not work under a vehicle supported only by jacks. Jacks can slip and fall over. Serious personal injury and damage to components can result. Park the vehicle on a level surface. Block the wheels to prevent the vehicle from moving. Support the vehicle with safety stands.
|
68 |
+
WARNING: If a drum is dropped at any time, it should be discarded. Dropping a drum can cause cracks to develop that may not be detectable visually and could result in a failure of the drum when put into service.
|
69 |
+
|
70 |
+
4. BRAKE DRUM INSPECTION
|
71 |
+
A drum brake component inspection should be part of any regularly-scheduled preventive maintenance program.
|
72 |
+
|
73 |
+
Heat Checks: Heat checks are caused by the repeated heating and cooling of the brake drum during normal vehicle operation. They appear as short, fine, axial hairline cracks in the braking surface. Heat checking can range from light (Figure 9) to heavy (Figure 10). Heat checking is a normal condition and will not affect braking performance. However, the brake drum should be replaced if heavy heat checking is encountered and any of the following conditions occur:
|
74 |
+
1. One or more heat check cracks extend continuously over 75% of the braking surface in the axial direction.
|
75 |
+
2. One or more heat check cracks are over 0.060 inch wide and/or over 0.060 inch deep.
|
76 |
+
If heavy heat checking is localized on only one side of the drum, then the drum should be replaced. Heavy heat checking on one side of the drum is typically caused by improper drum mounting or a drum that is out of round.
|
77 |
+
|
78 |
+
Cracked Drum (Barrel): If a crack is discovered that extends through the entire brake wall of the drum barrel, then the drum must be replaced immediately (Figure 11). Cracked drum barrels are typically caused by mishandling if the drum is new or excessive heating and cooling if the drum is used. The most common form of mishandling that causes cracks is dropping the drum. Possible causes of excessive heating and cooling include improper brake balance, the use of drums and linings that are not adequate for the application, or driver abuse. Applying the parking brake while the drum is extremely hot can also result in a cracked barrel.
|
79 |
+
|
80 |
+
Cracked Drum (Mounting Flange): If a crack is discovered through one or more bolt holes in the mounting flange, then the drum must be replaced immediately (Figure 12). Cracked mounting flanges are typically caused by mishandling or improper installation. The compatibility of the hub and drum should be verified and the hub pilots inspected for damage (Figure 13). In addition, pilot surfaces on both the hub and drum must be cleaned of rust and debris before installation of the drum.
|
81 |
+
|
82 |
+
Blue Drum: Drums that show bluing on the braking surface have been exposed to excessive heat and extremely high temperatures (Figure 14). This condition may be caused by repeated hard stops, improper brake balance, or dragging brakes due to improperly functioning return springs or swollen linings. Brake actuation should also be checked to ensure there is no binding. The cause of overheating should be determined and corrected to prevent the drum from cracking in the future, but it is not necessary to replace the drum as long as no other replacement conditions are present and if it meets the proper dimensional specifications for runout and diameter.
|
83 |
+
|
84 |
+
Polished Drum: A polished drum will have a mirror-like finish on the braking surface (Figure 15). This condition may be caused by an improper lining friction rating or the drum having been resurfaced with too fine of a micro-finish. Lightly dragging brakes can also cause polished drums, so the return springs, camshaft bushings, air system, and brake adjustment should be inspected. It is not necessary to replace the drum, but the braking surface should be sanded with 80 grit emery cloth to correct the polished condition.
|
85 |
+
|
86 |
+
Grease/Oil-Stained Drum: A brake drum that has discolorations due to grease or oil on the braking surface should be removed from the vehicle and cleaned (Figure 17). The brake linings should be replaced, and any other brake system components that have oil or grease spattered on them should be removed from the vehicle and cleaned. Typically this condition is caused by improper lubrication of the brake components or a leaking oil/grease seal in the hub.
|
87 |
+
|
88 |
+
Martensite Spotted Drum: Drums exposed to extremely high heat followed by rapid cooling can exhibit a martensite spotted condition, which is a structural change to the drum material that makes the drum more susceptible to cracking. This condition appears as black spots on the braking surface that are slightly raised and are hard and brittle (Figure 16). Typically the high heat needed to generate martensite spots in drums is caused by brake drag or improper brake balance. Drums with this condition should be replaced.
|
89 |
+
|
90 |
+
Scored (Grooved) Drum: A scored drum will show defined grooving on the braking surface (Figure 18). Replace the brake drum if any of the following occurs in addition to the scoring/grooving:
|
91 |
+
1. The drum braking surface diameter exceeds the maximum specified by the lettering cast into the drum.
|
92 |
+
2. Grooved linings are replaced due to an out-of-service condition defined in TMC RP 627 or per the lining manufacturer's requirements. Typically grooving alone is not an out-of-service
|
93 |
+
condition for linings.
|
94 |
+
Scoring is typically caused by:
|
95 |
+
1. Foreign debris becoming trapped between the lining and drum. This is usually indicated by uniform grooving across the entire braking surface or bands of grooving on the inboard and/or outboard edges of the braking surface. Adding dust shields may correct this condition. If the vehicle is already equipped with dust shields, removing them may correct this condition.
|
96 |
+
2. Loose rivets or bolts or foreign debris buildup in the rivet holes of the linings. This is usually indicated by bands of grooving on the drum corresponding to the location of the rivet holes. Repairing the linings or installing rivet plugs may correct this condition.
|
97 |
+
3. Poor quality brake linings. If this is suspected, consult the lining or vehicle manufacturer.
|
98 |
+
|
99 |
+
Oversize (Worn) Drum: A worn brake drum will typically have a defined lip on the open end of the drum that can be observed during inspection and/or felt when running a finger across it. If excessive wear is suspected, the diameter of the drum should be measured. Using a drum gage or 2-point bore gage, measure the drum braking surface diameter at the locations of maximum wear. If wear is uniform, measure the diameter approximately 1 inch from the outer edge of the braking surface on the open end of the drum. All ConMet brake drums have the maximum diameter cast on the outside of the drum near other identifying lettering. If this lettering cannot be located, use the following table:
|
100 |
+
If Nominal Brake Diameter (inch) is 15 then Maximum Drum Diameter (inch) is 15.120
|
101 |
+
If Nominal Brake Diameter (inch) is 16.5 then Maximum Drum Diameter (inch) is 16.620
|
102 |
+
If the diameter measurement exceeds the maximum, replace the brake drum. Drum wear is a normal condition. However, if the drum is wearing excessively fast or unevenly, refer to the
|
103 |
+
causes listed in the “Scored Drum” section above.
|
104 |
+
|
105 |
+
Out-of-Round Drum: A drum is considered out-of-round when it shows variations in diameter around the circumference of the braking surface. This condition is typically caused by:
|
106 |
+
1. Distortion or “warping” due to excessive heat generation during braking.
|
107 |
+
2. The drum was improperly installed on the vehicle.
|
108 |
+
3. The drum was dropped or stored on its side prior to installation.
|
109 |
+
4. The parking brake was applied while the drum was extremely hot.
|
110 |
+
|
111 |
+
If an out-of-round condition is suspected, the runout of the brake drum should be checked. Perform the following procedure on the drum when it is still assembled on the vehicle:
|
112 |
+
1. Park the vehicle on a level surface. Block the wheels to prevent the vehicle from moving.
|
113 |
+
2. Raise the axle until the tires are off the floor.
|
114 |
+
3. Place safety stands under the trailer frame or under each axle spring seat (Figure 19).
|
115 |
+
4. If equipped, remove the dust shields.
|
116 |
+
5. Attach the base of a dial indicator to the axle, steering knuckle, or other flat non-rotating surface near the drum. For best results, ConMet suggests the use of a lever-style dial indicator with a magnetic base (Figure 20). A standard dial indicator with a magnetic base can also be used. Ensure that the base is secure and does not move.
|
117 |
+
6. Adjust the dial indicator to contact the braking surface of the drum approximately 0.25 inch from the inboard end of the drum at a location between the brake shoes or between the lining blocks on one shoe. If using a lever-style dial indicator, ensure that the lever clears the wear lip that is often present on the inboard end of a used drum (Figure 21). If using a standard dial indicator, ensure that the tip clears the wear lip and is perpendicular to the braking surface.
|
118 |
+
7. Set the dial indicator to zero, rotate the wheel and hub assembly one full revolution while watching the dial indicator, and note at what position the dial indicator measures the LOWEST value.
|
119 |
+
8. Rotate the drum to the position of the lowest reading and zero the dial indicator.
|
120 |
+
9. Rotate the drum one full revolution again while watching the dial indicator. Record the maximum reading, which is the Total Indicator Reading (TIR) and equals the assembled runout of the drum.
|
121 |
+
|
122 |
+
a. If TIR is less than 0.020 inch, no action is necessary. Return the drum to service.
|
123 |
+
b. If TIR exceeds 0.020 inch, mark the drum and hub so that the original position of the drum relative to the hub is known. Perform the following actions:
|
124 |
+
1. Remove the drum and inspect the hub/drum mating surfaces for damage. Pay special attention to the pilots on the hub. If damage is found, replace the damaged components.
|
125 |
+
2. If no damage is found, reinstall the brake drum 180 degrees from its original position relative to the hub. Make sure to rotate the hub so that one wheel pilot boss is at the 12 o'clock position prior to reinstalling the drum. Remeasure the runout. If the TIR is less than 0.020 inch, keep the drum in the new position and reassemble the wheel, again making sure that the hub is rotated so that one wheel pilot boss is at the 12 o'clock position. Return the drum to service. If the TIR exceeds 0.020 inch, replace the brake drum. For detailed drum and wheel installation procedures, refer to Section 7.
|
126 |
+
NOTE: Some vehicle manufacturers specify a lower hub/drum assembled runout limit on steer axles than 0.020 inch. In those cases, the vehicle manufacturerʼs limits must be met. Check with the vehicle manufacturer to confirm runout limits.
|
127 |
+
|
128 |
+
Drum Resurfacing: ConMet does not recommend resurfacing brake drums. However, if drum resurfacing is necessary, ensure that the finished diameter does not exceed 0.080 inch over the original diameter. For example, if the original drum diameter was 16.50 inches, then the maximum rebore diameter allowed is 16.50 + 0.080 = 16.580 inches. In addition, the braking surface finish must not exceed 200 microfinish, and the TIR must not exceed 0.020 inch when the drum is assembled on the vehicle.
|
129 |
+
|
130 |
+
DANGER: Vehicles on jacks can fall, causing serious personal injury or property damage. Never work under a vehicle supported by a jack without supporting the vehicle with stands and blocking the wheels. Wear safe eye protection. Follow all shop safety procedures before beginning vehicle inspection.
|
131 |
+
|
132 |
+
5. BRAKE DRUM REPLACEMENT
|
133 |
+
Brake drums should be replaced if any of the following conditions are found:
|
134 |
+
1. Heavy heat checking in addition to the criteria described in Section 4.
|
135 |
+
2. Cracked drum barrel.
|
136 |
+
3. Cracked mounting flange.
|
137 |
+
4. Martensite spotting on the braking surface.
|
138 |
+
5. Grooving in addition to the criteria described in Section 4.
|
139 |
+
6. The drum is worn beyond the maximum diameter limit.
|
140 |
+
7. The drum is out-of-round.
|
141 |
+
8. The drum has been dropped.
|
142 |
+
9. The drum is known to have been severely overheated or abused.
|
143 |
+
Drums should always be replaced in pairs on the same axle to ensure the same braking power and load is achieved. Uneven braking load on the axle can reduce the brake performance, service life, and/or safety of the vehicle. Linings should also always be replaced in pairs, though it is not always necessary to replace linings when replacing drums and vice versa. See Section 4 of this manual for more details.
|
144 |
+
SELECTION OF NEW BRAKE DRUMS: Selecting the correct replacement brake drum for your application is very important as it ensures that your brake system's performance, service life, and safety are maintained. In order to determine a proper replacement, the following information about the drum that is being replaced will be needed:
|
145 |
+
1. Manufacturer name
|
146 |
+
2. Part number
|
147 |
+
Most manufacturers cast this information into the outside of the brake drum. If the above information cannot be determined, then a truck dealership can be contacted and the Vehicle Identification Number (VIN) provided. The dealership should be able to determine the manufacturer and part number of the drum originally installed on the vehicle. If the brake drum being replaced still cannot be identified, then measurements of the critical features of the brake drum will be necessary (Figure 22). The measurements can be made using a tape measure, calipers, or other measuring devices.
|
148 |
+
|
149 |
+
6. ADDITIONAL INFORMATION
|
150 |
+
BRAKE DRUM BALANCE
|
151 |
+
All ConMet brake drums are balanced at the factory using either a cut in the squealer band or a “Turned-to-Balance” machining process. No drums are balanced using weld-on weights. All steer drums are balanced to 10 inch-ounces and all rear/drive/trailer drums are balanced to 20 inch-ounces.
|
152 |
+
Balance Cut in Squealer Band: ConMet standard cast and CastLite brake drums are 100% balanced at the factory by machining a balance cut in the squealer band (Figure 23). Each drum is first checked for imbalance, cut to correct any imbalance found, and then rechecked to ensure it meets specifications. The balance cut can easily be found by inspecting the squealer band.
|
153 |
+
Turned-to-Balance: ConMet TruTurn® brake drums are 100% balanced at the factory using a “Turned-to-Balance” machining process. These drums are machined over 95% of their surface area in a single machining operation, resulting in drums that are inherently balanced and eliminating the need for balance cuts (Figure 24). There are no physical indicators on the drums to indicate they are balanced, but ConMet's manufacturing process ensures that the drums do meet the balance specifications.
|
154 |
+
|
155 |
+
BRAKE DRUM STORAGE AND HANDLING
|
156 |
+
All ConMet brake drums are designed to be stored by nesting up to 4 drums (3 for 16.5x8.625 drums) in a vertical stack with the open ends of the drums down. All standard cast and CastLite® brake drums have 3 to 6 stacking tabs on the outside that are designed to support and center the drum being stacked on it (Figure 25). All TruTurn brake drums have a stacking ring on the outside that serves the same purpose (Figure 26). Brake drums are very heavy and manually handling them should be avoided. Specialty drum handling devices are available to aid in brake drum transport, installation, and removal. These devices are recommended to prevent personal injuries and component damage.
|
157 |
+
NOTE: Brake drums should never be stored on their side as this may cause an out-of-round condition to occur.
|
158 |
+
|
159 |
+
WHEEL STUD HOLES
|
160 |
+
The stud holes in all of ConMet's drum flanges are clearance holes. They serve no purpose other than to let the wheel studs pass through the drum, and clearance hole size does not affect the stopping ability of the brake drum. This section explains the types of stud holes used by ConMet drums, and also addresses the common misconceptions about stud holes.
|
161 |
+
Cast Stud Holes: Most ConMet drums utilize cast stud holes. These holes are generated during the sand-casting process rather than with a drill. Cast holes intentionally have a 0.10 inch larger diameter than comparable drilled holes. This size difference does not affect the drumʼs ability to stop the vehicle. Both cast and machined holes meet the Society of Automotive Engineers (SAE) J1671 specification, which governs brake drum hole size (Figure 27).
|
162 |
+
Large Diameter Stud Holes in Steer Drums: Many ConMet steer drums are designed to work with both hub piloted and stud piloted wheel mounting systems. Hub piloted systems utilize M22 wheel studs while stud piloted systems utilize 1-1/8 inch wheel studs. ConMet steer drums will often have stud hole diameters designed to clear the 1-1/8 inch wheel studs in stud piloted systems. These holes may look overly large when used with M22 studs in hub piloted systems.This is normal and does not affect the performance of the drum. See Section 2 of this manual for more information on hub and stud piloted systems.
|
163 |
+
Stud Hole Misconceptions: Several misconceptions exist about the function of the stud holes in brake drums:
|
164 |
+
1. Misconception 1. The stud holes and studs prevent the drum from rotating with respect to the hub during braking. Properly torqued fasteners provide twice the necessary clamp load to prevent the wheel, drum, and hub flanges from rotating with respect to one another. Clamp load generates friction between the flanges that prevents the drum from rotating relative to the hub and wheel, not shear loading of the wheel studs against the holes.
|
165 |
+
2. Misconception 2. Drums pilot off of the stud hole and studs. All drums have a precision machined pilot hole in the flange and all hubs have precision drum pilots. These pilots are what center the drum on the hub, not the studs and stud holes. This is true for both hub piloted and stud piloted systems.
|
166 |
+
3. Misconception 3. Drum installation difficulty depends on stud hole size. Brake drums are located on a truck axle with the help of the brake shoes and the hub's drum pilot. Stud hole size has no effect on ease of installation.
|
167 |
+
|
168 |
+
7. BRAKE DRUM AND WHEEL INSTALLATION
|
169 |
+
Hub Pilot Wheel Mounting System:
|
170 |
+
1. Clean all mating surfaces on the hub, drum and nuts. Remove loose paint, scale, and any material building around the pilots of the drum, hub, and wheels. Be sure paint is fully cured on recently refurbished wheels.
|
171 |
+
2. In environments where a corrosion inhibitor is beneficial, ConMet recommends the use of Corrosion Block, a product of Lear Chemical Research (905) 564-0018. In severely corrosive environments, a light coat of Corrosion Block on the drum and wheel pilots has proven beneficial.
|
172 |
+
3. In addition to the above preparation, apply two drops of oil to a point between each nut and nut flange washer and two drops to the last two or three threads at the end of each stud. Also, lightly lubricate the pilots on the hub to ease wheel installation and removal.
|
173 |
+
4. Before installation of brake drums and wheels that utilize the hub piloted system, rotate the hub so one of the wheel pilot bosses is at the top (12 oʼclock position) (Figure 31).
|
174 |
+
5. Position the brake drum over the hub so it seats on the drum pilot and against the hub face.
|
175 |
+
6. Place the wheel(s) into position. One or more nuts can be started in order to hold wheel(s) and drum into position.
|
176 |
+
7. Snug the top nut first. Apply 50 ft-lbs torque to draw the brake drum up fully against the hub (Figure 32).
|
177 |
+
8. Install the remaining wheel nuts and using the sequence as shown, torque all the nuts to 50 ft-lbs, then retorque to 450-500 ft-lbs (Figures 29 and 30). The last nut rotation must be with a calibrated torque device.
|
178 |
+
9. Inspect the brake and wheel installation by checking the seating of the wheel(s) and drum at the pilots, and by turning the wheel(s) and checking for any irregularity. Visually inspect the area of contact between the brake shoes and the drum to verify that there is not a significant gap difference from one shoe to the other.
|
179 |
+
|
180 |
+
NOTE: If your shop practice requires the use of lubricant or anticorrosion material to the threads and/or the drum pilot area, avoid getting lubricant on the flat mating surfaces of the hub, drum, and wheels.
|
181 |
+
NOTE: If you plan to replace the brake drum (i.e., cast in place of Centifuse) or wheels (i.e., aluminum in place of steel), measure stud standout (Figure 30). In hub piloted mounting systems, the studs must be long enough for the threads to be exposed beyond the installed wheel nut. In the ball seat mounting system, the stud length beyond the brake drum should be from 1.31-1.44″ as measured from the brake drum to the end of the stud. Call ConMet at 1-800-547-9473 for the correct stud part number for your application. If you plan to replace the brake drum, verify the new drum has the same drum pilot diameter as the one that has been removed.
|
182 |
+
NOTE: When torquing wheel nuts, the temperature of all the wheel end components should be as close as possible to the midpoint of the expected operating range. For example, if the hub will operate between 0°F and 150°F, 75°F is a good temperature to torque at. Room temperature is often a close approximation of the midpoint temperature. This recommendation is due to the differences in the coefficient of thermal expansion for the various materials in the wheel end including the hub, studs, wheel and brake drum. If the wheel nuts are torqued at temperatures well below the midpoint, when the system warms up, the studs may become overstressed. This could cause the studs to be permanently stretched, leading to nut loosening or damage to the wheel or hub. If the torque is applied at elevated temperatures, the system may become loose and lose clamp at lower temperatures, resulting in wheel damage and broken wheel studs. If the nuts must be torqued at extreme temperatures, the nut torque should be readjusted when the temperature is in the desired range. See also TMC RP250 “Effectsof Extreme Temperatures on Wheel Torque and Clamp Load”.
|
183 |
+
NOTE: Use the appropriate nuts with the above technique to install the front and outer dual wheels. Follow your shop practice to locate the valve stems.
|
184 |
+
Ball Seat Wheel Mounting System:
|
185 |
+
1. Clean all mating surfaces on the hub, drum, wheels and nuts. Remove loose paint, scale, and any material building around the pilots of the drum, hub, and wheels. Be sure paint is fully cured on recently refurbished wheels.
|
186 |
+
Table A: Single Aluminum Wheel Applications
|
187 |
+
For Aluminum Wheels with 3/4-16″ Threaded Studs the ALCOA Cap Nut Number is 5995R and 5995L or 5554R and 5554L, depending on stud length
|
188 |
+
Table B: Single Steel Wheel Applications
|
189 |
+
For Steel Wheels with 3/4-16″ Threaded Studs the BATCO Cap Nut Number is 13-3013R and 13-3013L
|
190 |
+
|
191 |
+
2. When installing the inner wheel and tire assembly, verify the inner nuts being used are suitable for the application: aluminum wheels, steel wheels, brake drum thickness, etc.
|
192 |
+
3. Rotate the hub to bring a drum pilot to the top (12 oʼclock) position (Figure 34). Position the inner wheel and tire assembly over the studs against the drum.
|
193 |
+
4. Beginning in the 12 oʼclock position, install the inner cap nuts by hand to ensure they are not cross-threaded. Do not tighten any nuts at this time.
|
194 |
+
5. Apply sufficient torque (about 50 ft-lbs) to the inner top cap nut to draw the brake drum up on the drum pilot and against the hub and seat the ball seat of the nut into the ball socket of the wheel (Figure 35).
|
195 |
+
6. To properly center the wheel, snug the remaining wheel nuts. Verify the drum is in place over the drum pilots.
|
196 |
+
7. Starting with the top nut first and using a staggered pattern, torque the inner wheel nuts in stages to 450-500 ft-lbs (Figure 36). The last nut rotation must be with a calibrated torquing device.
|
197 |
+
8. Install the outer wheel and nuts and tighten to 450-500 ft-lbs (Figure 37). The last nut rotation must be with a calibrated torque device.
|
198 |
+
9. Inspect the brake and wheel installation by checking the seating of the wheel(s) and drum at the pilots and by turning the wheel(s) and checking for any irregularity. Visually inspect the area of contact between the brake shoes and the drum to verify that there is not a significant gap difference from one shoe to the other.
|
199 |
+
NOTE: Use the appropriate nuts with the above technique to install the front and outer dual wheels. Follow your shop practice to locate the valve stems.
|
200 |
+
NOTE: When dual wheels are mounted, the stud length beyond the brake drum (standout) should be from 1.31-1.44″ as measured from the brake drum to the end of the stud (Figure 33). When mounting dual aluminum wheels, use ALCOA inner cap nuts 5978R and 5978L or equivalent. These nuts can also be used with longer studs up to 1.88″ standout. For special single aluminum wheel applications on drive and trailer hubs, use ALCOA single cap nuts 5995R and 5995L, or 5554R and 5554L or the equivalent, depending on the stud thread length (Table A). For single steel wheel applications, use BATCO 13-3013R and 13-3013L or the equivalent (Table B).
|
201 |
+
NOTE: When torquing wheel nuts, the temperature of all the wheel end components should be as close as possible to the midpoint of the expected operating range. For example, if the hub will operate between 0°F and 150°F, 75°F is a good temperature to torque at. Room temperature is often a close approximation of the midpoint temperature. This recommendation is due to the differences in the coefficient of thermal expansion for the various materials in the wheel end including the hub, studs, wheel and brake drum. If the wheel nuts are torqued at temperatures well below the midpoint, when the system warms up, the studs may become overstressed. This could cause the studs to be permanently stretched, leading to nut loosening or damage to the wheel or hub. If the torque is applied at elevated temperatures, the system may become loose and lose clamp at lower temperatures, resulting in wheel damage and broken wheel studs. If the nuts must be torqued at extreme temperatures, the nut torque should be readjusted when the temperature is in the desired range. See also TMC RP250 “Effects of Extreme Temperatures on Wheel Torque and Clamp Load”.
|
202 |
+
|
203 |
+
WHEEL TORQUE SPECIFICATIONS TABLE
|
204 |
+
The following table data has 3 columns - Item, Measurement, and Notes
|
205 |
+
Item: Ball Seat Wheel Nut; Measurement: 3/4 - 16; Torque (ft-lbs): 450-500; Notes: Always tighten the top nut first or pilot damage may result. If lubricant is used; apply sparingly on threads only. Do not lubricate the faces of the hub; drum; wheel or on the ball seats of the wheel nuts. The last nut rotation should be with a calibrated torque device.
|
206 |
+
Wheel Nut
|
207 |
+
Item: Ball Seal Wheel Nut; Measurement: 1-1/8 - 16; Torque (ft-lbs): 450-500; Notes: Always tighten the top nut first or pilot damage may result. If lubricant is used; apply sparingly on threads only. Do not lubricate the faces of the hub; drum; wheel or on the ball seats of the wheel nuts. The last nut rotation should be with a calibrated torque device.
|
208 |
+
Item: Hub Pilot Wheel Nut; Measurement: 22 mm x 1.5 mm; Torque (ft-lbs): 450-500; Notes: Always tighten the top nut first or pilot damage may result. Apply two drops of oil between the nut and nut flange; and two or three drops to the outermost 2 or 3 threads of the wheel studs. Lightly lubricate the wheel pilots on the hub. The last nut rotationshould be with a calibrated torque device.
|
209 |
+
Item: Hub Drive and Studs; Measurement: 3/4-16; Torque (ft-lbs): 70-90; Notes: Installation Torque
|
210 |
+
Item: Hub Drive and Studs; Measurement: 5/8-18; Torque (ft-lbs): 40-90; Notes: Installation Torque
|
211 |
+
Item: Hub Drive and Studs; Measurement: 9/16-18; Torque (ft-lbs): 40-60; Notes: Installation Torque
|
212 |
+
Item: Hub Drive and Studs; Measurement: 1/2-20; Torque (ft-lbs): 40-60; Notes: Installation Torque
|
213 |
+
Item: Hub Cap; Measurement: 5/16-8; Torque (ft-lbs): 12 - 18; Notes: Minimum SAE Grade 5 fasteners, flat washers only.
|
214 |
+
Item: Oil Fill Plug; Measurement: 1/4 NPT; Torque (ft-lbs): 20-25; Notes: O-Ring Style
|
215 |
+
Item: Oil Fill Plug; Measurement: 3/8 NPT; Torque (ft-lbs): 20-25; Notes: O-Ring Style
|
216 |
+
Item: Oil Fill Plug; Measurement: 9/16-18; Torque (ft-lbs): 20-25; Notes: O-Ring Style
|
217 |
+
Item: Bolt-On ABS Ring Screw; Measurement: 8-32; Torque (in-lbs): 18-22 in-lbs; Notes: -.
|
218 |
+
Item: Disc Brake Rotor Screw; Measurement: M8 x 1.25; Torque (ft-lbs): 18 - 22; Notes: -.
|
219 |
+
Item: Disc Brake Rotor Screw; Measurement: 9/16 - 12; Torque (ft-lbs): 130 - 150; Notes: -.
|
220 |
+
Item: Disc Brake Rotor Screw; Measurement:5/8 - 11; Torque (ft-lbs): 190 - 210; Notes: -.
|
221 |
+
Item: Disc Brake Rotor Screw; Measurement: 5/8 - 18; Torque (ft-lbs): 210 - 230; Notes: -.
|
222 |
+
Item: Disc Brake Rotor Screw; Measurement: 1/2 - 20; Torque (ft-lbs): 100 - 120; Notes: -.
|
223 |
+
Item: Disc Brake Rotor Nut; Measurement: 5/8 - 18; Torque (ft-lbs): 190 - 210; Notes: -.
|
224 |
+
Item: Disc Brake Rotor; Measurement: M16 x 1.5; Torque (ft-lbs): 190 - 210; Notes: -.
|
225 |
+
Item: Drive Axle Flange Nuts; Measurement: -; Torque (ft-lbs): -; Notes: See axle manufacturerʼs recommendations for proper drive axle nut torque.
|
226 |
+
Item: PreSet 2-Piece Nut(FF, FL, R, TN, TP, L); Measurement: -; Torque (ft-lbs): 300 Inner 200 Outer; Notes: 300 minimum. Advance to nearest lock. Set wrench at 200 for outer nut. NO BACK OFF.
|
227 |
+
Item: PreSetPreSet 2-Piece Nut (FC-Medium Duty Steer Hub); Measurement: -; Torque (ft-lbs): 150 Inner 100 Outer; Notes: 150 minimum. Advance to nearest lock. Set wrench at 100 for outer nut. NO BACK OFF.
|
228 |
+
Item: PreSet 1-Piece Nut(FF, FL, R, TN, TP, L); Measurement: -; Torque (ft-lbs): 300; Notes: 300 minimum. Advance to nearest lock. NO BACK OFF.
|
229 |
+
Item: PreSet 1-Piece Nut(FC-Medium Duty Steer Hub); Measurement: -; Torque (ft-lbs): 150; Notes: 150 minimum. Advance to nearest lock. NO BACK OFF.
|
230 |
+
Item: PreSet Plus Drive and Trailer Nut; Measurement: -; Torque (ft-lbs): 500; Notes: Set wrench at 500. NO BACK OFF.
|
231 |
+
Item: PreSet Plus Steer Nut; Measurement: -; Torque (ft-lbs): 300; Notes: Set wrench at 300. NO BACK OFF.
|
source_documents/0160111.txt
ADDED
@@ -0,0 +1,12 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
DUST SHIELD BAND CLAMP FOR AIR DISC BRAKES
|
2 |
+
|
3 |
+
Hendrickson Trailer Commercial Vehicle Systems announces a change to dust shield band clamps on INTRAAX® and VANTRAAX® integrated suspension systems or TRLAXLE® non-integrated axles that specify Bendix ADB22X and WABCO PAN22 air disc brake systems. Effective immediately, the band clamp features a thicker material and a larger gear mechanism. Suspension model numbers and aftermarket kit part numbers are unaffected with this change, however, the installation torque value will change with the new clamp design. Accordingly, all new aftermarket kits contain a
|
4 |
+
drawing with the new torque requirements as specified below.
|
5 |
+
Old style clamp: A-28782-1
|
6 |
+
Old torque: 50 – 70 in-lbs.
|
7 |
+
|
8 |
+
New style clamp: A-36142
|
9 |
+
New torque: 79 – 101 in-lbs.
|
10 |
+
The new band clamp is reverse compatible with all INTRAAX, VANTRAAX and TRLAXLE products specified with Bendix ADB22X and WABCO PAN22. In addition, current aftermarket kits with the old style clamp may be used; it is not necessary to change your current stock. Reference Hendrickson literature number L1063 for a
|
11 |
+
listing of aftermarket dust shield kits. As always, Hendrickson is committed to providing world-class, quality suspension products and exceptional
|
12 |
+
customer service. For additional information, please contact us at 1-866-RIDEAIR (743-3247).
|
source_documents/Volvo VNRe First Responders Guide and Towing.txt
ADDED
@@ -0,0 +1,121 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
VOLVO TRUCKS VNR ELECTRIC PRODUCTION START: 2021 33.2 ton vehicle 2 axles 4 lithium-ion batteries
|
2 |
+
|
3 |
+
1. Identification/recognition
|
4 |
+
See image on page 3
|
5 |
+
|
6 |
+
2. Immobilisation/stabilization/lifting
|
7 |
+
Always approach the truck from the sides to stay out of the potential travel path. Due to lack of noise it can be difficult to determine if the truck is running.
|
8 |
+
1. Chock the wheels.
|
9 |
+
2. Apply the parking brake.
|
10 |
+
|
11 |
+
3. Disable direct hazardous/safety regulations
|
12 |
+
Primary procedure:
|
13 |
+
1. Check the instrument cluster for any of the symbols (1) and (2) appearing with a beep sound. If yes, a thermal runaway is detected in the lithium-ion batteries.
|
14 |
+
2. Turn off the ignition and remove the key.
|
15 |
+
3. Turn off the chassis switch (up) to intiate the high voltage disconnection process.
|
16 |
+
Note: All the components are designed to discharge their own capacitance within five seconds.
|
17 |
+
|
18 |
+
If unable to perform the primary procedure:
|
19 |
+
1. Locate the communication cable harness (low voltage) connected to any of the traction batteries.
|
20 |
+
2. Cut the communication cable harness on each side of the label and disconnect the traction voltage supply from the traction batteries.
|
21 |
+
Note: Cutting any of the locations shown will disable the traction voltage supply.
|
22 |
+
|
23 |
+
If the truck is charging:
|
24 |
+
1. Unlock the cab.
|
25 |
+
2. Press the stop button (1) and wait for the steady yellow light (2) on the charging inlet.
|
26 |
+
3. Remove the charging plug from the charging inlet when the yellow light (2) turns off.
|
27 |
+
|
28 |
+
If the charging plug cannot be pulled out: retract the pin manually
|
29 |
+
1. Turn off the chassis switch (up) to intiate the high voltage disconnection process.
|
30 |
+
2. Remove the screws (1) and the step (2).
|
31 |
+
3. Rotate the lever (3) and remove the charging plug (4).
|
32 |
+
|
33 |
+
4. Stored energy/liquid/gases/solid
|
34 |
+
See image on page 5
|
35 |
+
|
36 |
+
5. In case of fire
|
37 |
+
1. Use a large sustained volume of water to extinguish lithium-ion battery related fire.
|
38 |
+
2. If other materials are involved, use class ABC fire extinguisher.
|
39 |
+
3. In case of thermal runaway, the lithium-ion batteries can release hydrogen fluoride.
|
40 |
+
4. In case of traction battery fire large flames can emit from the breather valves (1) as a result of thermal runaway.
|
41 |
+
|
42 |
+
6. In case of water submersion
|
43 |
+
1. The damage level of a submerged vehicle may not be visible.
|
44 |
+
2. Submersion in water can damage 12 V, 24 V and 600 V components.
|
45 |
+
3. Handling a submerged truck without appropriate Personal Protective Equipment (PPE) will result in serious injury or death due to electric shock.
|
46 |
+
4. Avoid any contact with the traction voltage cables and electric components.
|
47 |
+
5. If possible disable direct hazards (See chapter 3).
|
48 |
+
|
49 |
+
7. Towing/transportation/storage
|
50 |
+
1. If the traction batteries are damaged, there is a risk of thermal or chemical reaction.
|
51 |
+
2. Park the fully electric truck involved in an accident in a suitable place maintaining a safe distance from other vehicles, buildings and combustible objects.
|
52 |
+
3. Risk of delayed fire can happen, after the fire suppression or if the lithium-ion batteries are damaged
|
53 |
+
4. Observe the truck for a minimum period of 48 hours using a thermal infrared camera.
|
54 |
+
5. The electric motors can produce electricity When moving the truck with the rear drive tires contacting the ground. This remains a potential source of electric shock even when the high voltage system is disabled.
|
55 |
+
6. Before towing the truck, it is mandatory to disconnect the drive to the wheels. The drive to the wheels is disabled by either uncoupling the propeller shaft (1) from the driven axle (2) or by removing the axle shafts (3).
|
56 |
+
|
57 |
+
8. Important additional information
|
58 |
+
1. Do not cut any orange cables.
|
59 |
+
2. Do not touch any high voltage cables and electric components.
|
60 |
+
3. Do not perform any operation on a damaged truck without appropriate Personal Protective Equipment(PPE).
|
61 |
+
|
62 |
+
VOLVO TRUCKS VNR ELECTRIC PRODUCTION START : 2021 30 ton vehicle 3 axles 4 lithium-ion batteries
|
63 |
+
|
64 |
+
1. Identification/recognition
|
65 |
+
See image on page 3
|
66 |
+
|
67 |
+
2. Immobilisation/stabilization/lifting
|
68 |
+
Always approach the truck from the sides to stay out of the potential travel path. Due to lack of noise it can be difficult to determine if the truck is running.
|
69 |
+
1. Chock the wheels.
|
70 |
+
2. Apply the parking brake.
|
71 |
+
|
72 |
+
3. Disable direct hazardous/safety regulations
|
73 |
+
Primary procedure:
|
74 |
+
1. Check the instrument cluster for any of the symbols (1) and (2) appearing with a beep sound. If yes, a thermal runaway is detected in the lithium-ion batteries.
|
75 |
+
2. Turn off the ignition and remove the key.
|
76 |
+
3. Turn off the chassis switch (up) to intiate the high voltage disconnection process.
|
77 |
+
Note: All the components are designed to discharge their own capacitance within five seconds.
|
78 |
+
|
79 |
+
If unable to perform the primary procedure:
|
80 |
+
1. Locate the communication cable harness (low voltage) connected to any of the traction batteries.
|
81 |
+
2. Cut the communication cable harness on each side of the label and disconnect the traction voltage supply from the traction batteries.
|
82 |
+
Note: Cutting any of the locations shown will disable the traction voltage supply.
|
83 |
+
|
84 |
+
If the truck is charging:
|
85 |
+
1. Unlock the cab.
|
86 |
+
2. Press the stop button (1) and wait for the steady yellow light (2) on the charging inlet.
|
87 |
+
3. Remove the charging plug from the charging inlet when the yellow light (2) turns off.
|
88 |
+
|
89 |
+
If the charging plug cannot be pulled out: retract the pin manually
|
90 |
+
1. Turn off the chassis switch (up) to intiate the high voltage disconnection process.
|
91 |
+
2. Remove the screws (1) and the step (2).
|
92 |
+
3. Rotate the lever (3) and remove the charging plug (4).
|
93 |
+
|
94 |
+
4. Stored energy/liquid/gases/solid
|
95 |
+
See image on page 5
|
96 |
+
|
97 |
+
5. In case of fire
|
98 |
+
1. Use a large sustained volume of water to extinguish lithium-ion battery related fire.
|
99 |
+
2. If other materials are involved, use class ABC fire extinguisher.
|
100 |
+
3. In case of thermal runaway, the lithium-ion batteries can release hydrogen fluoride.
|
101 |
+
4. In case of traction battery fire large flames can emit from the breather valves (1) as a result of thermal runaway.
|
102 |
+
|
103 |
+
6. In case of water submersion
|
104 |
+
1. The damage level of a submerged vehicle may not be visible.
|
105 |
+
2. Submersion in water can damage 12 V, 24 V and 600 V components.
|
106 |
+
3. Handling a submerged truck without appropriate Personal Protective Equipment (PPE) will result in serious injury or death due to electric shock.
|
107 |
+
4. Avoid any contact with the traction voltage cables and electric components.
|
108 |
+
5. If possible disable direct hazards (See chapter 3).
|
109 |
+
|
110 |
+
7. Towing/transportation/storage
|
111 |
+
1. If the traction batteries are damaged, there is a risk of thermal or chemical reaction.
|
112 |
+
2. Park the fully electric truck involved in an accident in a suitable place maintaining a safe distance from other vehicles, buildings and combustible objects.
|
113 |
+
3. Risk of delayed fire can happen, after the fire suppression or if the lithium-ion batteries are damaged
|
114 |
+
4. Observe the truck for a minimum period of 48 hours using a thermal infrared camera.
|
115 |
+
5. The electric motors can produce electricity When moving the truck with the rear drive tires contacting the ground. This remains a potential source of electric shock even when the high voltage system is disabled.
|
116 |
+
6. Before towing the truck, it is mandatory to disconnect the drive to the wheels. The drive to the wheels is disabled by either uncoupling the propeller shaft (1) from the driven axle (2) or by removing the axle shafts (3).
|
117 |
+
|
118 |
+
8. Important additional information
|
119 |
+
1. Do not cut any orange cables.
|
120 |
+
2. Do not touch any high voltage cables and electric components.
|
121 |
+
3. Do not perform any operation on a damaged truck without appropriate Personal Protective Equipment(PPE).
|
source_documents/Zone Defense.txt
ADDED
@@ -0,0 +1,276 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
ZONE DEFENCE - ZD.323.1.4 7” Flat Monitor System
|
2 |
+
|
3 |
+
0. DESCRIPTION
|
4 |
+
|
5 |
+
Zone Defense is a leader in vehicle observation systems. Zone Defense introduces the Zone Defense Brand 7″ Monitor built tough for the demands of our commercial customers. With a new digital display, this monitor will deliver crisper images than our “SYS” models along with new touch panel control buttons for faster camera and menu selections. The monitor housing has the same rubberized coating that Zone Defense was first to bring to the market.
|
6 |
+
|
7 |
+
2. SYSTEM FEATURES & SPECIFICATIONS
|
8 |
+
|
9 |
+
MONITOR:
|
10 |
+
Display Device: 7” Color TFT-LCD with digital screen
|
11 |
+
Audio output: Max 1.5W
|
12 |
+
Loudspeaker: one 15x24mm round loudspeaker
|
13 |
+
Power supply: 10-32V
|
14 |
+
Power consumption: about 6W
|
15 |
+
Dot pitch: 0.192 (H) x 0.1805 (H)
|
16 |
+
Resolution: 800 (H) x 3 (RGB) x 480
|
17 |
+
Contrast: 500:1
|
18 |
+
Brightness: 400cd/m2
|
19 |
+
Viewing angle: U:50 / D:60, R/L:70
|
20 |
+
Operating temperature: -20° ~ +70°C, RH90%
|
21 |
+
Storage temperature: -30° ~ +80°C, RH90%
|
22 |
+
Wide angle view and high resolution display
|
23 |
+
Picture may be adjusted for Horizontal, Vertical, Mirror and Normal viewing
|
24 |
+
Select from 8 languages for user operation
|
25 |
+
Automatic backlighting for buttons
|
26 |
+
Scale can be adjusted for left, right, up or down
|
27 |
+
Up to 4 CAM inputs, 1 video output and 1 audio output
|
28 |
+
Onboard speaker, touch buttons, full function remote control
|
29 |
+
Automatically switches to back up, left, right or front camera views
|
30 |
+
1/3” COLOR CCD SENSOR SPECIFICATIONS (REAR)*:
|
31 |
+
With Audio and IR
|
32 |
+
TV system: NTSC
|
33 |
+
Effective pixels: 512 x 492 pixels
|
34 |
+
Sensing area: 4.9mm x 3.7mm
|
35 |
+
Resolution: 420TV lines
|
36 |
+
Minimum illumination: 0 Lux
|
37 |
+
BLC: Auto
|
38 |
+
Microphone: Yes
|
39 |
+
Video output: 1.0p-p, 75Ohm
|
40 |
+
AGC: Auto
|
41 |
+
White balance: Auto
|
42 |
+
S/N ratio: Better than 48dB
|
43 |
+
Electronic shutter: 1/60 ~ 1/10,000
|
44 |
+
Current consumption: Max 300mA
|
45 |
+
Power supply: DC12V
|
46 |
+
Lens: f=2.8mm/ F=2.0
|
47 |
+
Lens Angle: 120° diagonal
|
48 |
+
*This informations only applies to
|
49 |
+
CAM.313.C, the camera included
|
50 |
+
when a system is purchased.
|
51 |
+
|
52 |
+
3. SYSTEM COMPONENTS
|
53 |
+
7” Flat Panel Monitor
|
54 |
+
I/F Remote
|
55 |
+
Infrared Color w/ Audio
|
56 |
+
Rear Camera
|
57 |
+
U Bracket Monitor Mount
|
58 |
+
w/ Adjustment Screws
|
59 |
+
Monitor Sun Shield
|
60 |
+
Center or Fan Mount
|
61 |
+
AV and Power Supply
|
62 |
+
Adapter Cables
|
63 |
+
20-Meter Cable
|
64 |
+
MONITOR: A 5/8” hole is needed to pass the connector through the exterior wall. Be careful not to drill a hole so large that the grommet will not seal. Before drilling, make sure there are no obstacles in the way of the drill bit. Check to make sure wall thickness is suitable for weather proofing.
|
65 |
+
MONITOR OPERATIONS
|
66 |
+
1. Remote Signal Receiver Window
|
67 |
+
2. Power Indicator Light
|
68 |
+
3. Power Off/On Button
|
69 |
+
4. Brightness Increase Options Control Button
|
70 |
+
5. Brightness Decrease
|
71 |
+
6. Channel - (channel down)
|
72 |
+
7. Menu Control Button
|
73 |
+
8. SEL Switches between AV 1/ AV 2/ AV 3/ AV 4
|
74 |
+
9. Speaker
|
75 |
+
|
76 |
+
REMOTE OPERATIONS
|
77 |
+
PAL/ AUTO/ NTSC
|
78 |
+
|
79 |
+
MUTE (Mute): Press to select ENABLE/ MUTE sound.
|
80 |
+
POWER (Power switch): Press to turn on/ off the monitor.
|
81 |
+
(Horizontal turning of picture): Press to turn picture horizontally.
|
82 |
+
(Vertical turning of picture): Press to turn picture vertically.
|
83 |
+
CH+ (Channel selection +): Press to select channel/ item on menu.
|
84 |
+
CH- (Channel selection -): Press to select channel/ item on menu.
|
85 |
+
Press to decrease brightness.
|
86 |
+
Press to increase brightness.
|
87 |
+
MENU:
|
88 |
+
Press to show menu.
|
89 |
+
MODE (Picture mode):
|
90 |
+
Press to select different picture modes (PERSONAL/ STANDARD/ SOFT/
|
91 |
+
VIVID/ LIGHT).
|
92 |
+
CALL (Call): Press to display current channel.
|
93 |
+
TIMER:Press to set the timer to shut down the monitor (0, 10, 20, 30, 40, 50, 60, 70, 80, max 90 minutes).
|
94 |
+
LANG (Lanuage Selection): Press to select language display of ENGLISH/ FRENCH/ DUTCH/ ITALIAN PORTUGUESE/ SPANISH/ RUSSIAN/ or GERMAN options.
|
95 |
+
SYS: Press to select AUTO/ PAL/ NTSC.
|
96 |
+
SEL: Press to select AV Channels
|
97 |
+
|
98 |
+
BASIC CONNECTIONS
|
99 |
+
Connection of AV conversion cables:
|
100 |
+
Hold the cable, align the side of jack marked with right-arrow on female 22pin connector
|
101 |
+
with the male 22pin connector marked with left-arrow then plug in.
|
102 |
+
1. White 4pin male for Camera 1.
|
103 |
+
2. Blue 4pin male for Camera 2.
|
104 |
+
3. Brown 4pin male for Camera 3.
|
105 |
+
4. Green 4 pin male for Camera 4.
|
106 |
+
5. Single red wire to power supply of DC 10-32V.
|
107 |
+
6. Single black wire to GND.
|
108 |
+
7. Single brown wire to positive power wire of the back up light.
|
109 |
+
8. Single white wire to positive power wire of the left turn signal.
|
110 |
+
9. Single blue wire to positive power wire of the right turn signal.
|
111 |
+
10. Single green wire to any other trigger control.
|
112 |
+
11. Yellow RCA for video output.
|
113 |
+
12. White RCA for audio output.
|
114 |
+
1. 4pin male for Camera 1/ Camera 2/ Camera 3/ Camera 4.
|
115 |
+
2. Single red wire to positive ignition power supply of DC 10-32V.
|
116 |
+
3. Single black wire to GND.
|
117 |
+
4. Single brown wire to positive power wire of back up light, Camera 3.
|
118 |
+
5. Single white wire to positive power wire of left turn signal, Camera 1.
|
119 |
+
6. Single blue wire to positive power wire of right turn signal, Camera 2.
|
120 |
+
7. Single green wire to any other trigger control, Camera 4.
|
121 |
+
8. Yellow RCA female for video output.
|
122 |
+
9. White RCA female for audio output.
|
123 |
+
|
124 |
+
Reversing display:
|
125 |
+
When the white wire is connected to the positive wire of the left turn signal, the monitor automatically switches to CAM 1 (left side camera) when the left
|
126 |
+
turn indicator is activated.
|
127 |
+
When the blue wire is connected to the positive wire of the right turn signal, the monitor automatically switches to CAM 2 (right side camera) when the right turn indicator is activated.
|
128 |
+
When the brown wire is connected to the positive wire of the back up light, the monitor automatically switches to CAM 3 (back up camera) when the back up light is turned on. The distancing grid will
|
129 |
+
also be displayed.
|
130 |
+
When the green wire is activated, the monitor automatically switches to CAM 4.
|
131 |
+
|
132 |
+
MENU OPERATIONS
|
133 |
+
Press M to display the following options and
|
134 |
+
settings:
|
135 |
+
1. PICTURE
|
136 |
+
2. OPTION
|
137 |
+
3. SYSTEM
|
138 |
+
4. AUTO SCAN
|
139 |
+
|
140 |
+
(1) PICTURE: BRIGHT, CONTRAST, COLOR, VOLUME, AUTO DIM and SCALE ADJUST options will display on the screen as illustrated below:
|
141 |
+
Press down-arrow to select BRIGHT.
|
142 |
+
PICTURE
|
143 |
+
BRIGHT
|
144 |
+
CONTRAST
|
145 |
+
COLOR
|
146 |
+
VOLUME
|
147 |
+
AUTO DIM
|
148 |
+
SCALE ADJUST
|
149 |
+
Press +/- to adjust the BRIGHT level.
|
150 |
+
|
151 |
+
Press down-arrow to select CONTRAST.
|
152 |
+
PICTURE
|
153 |
+
BRIGHT
|
154 |
+
CONTRAST
|
155 |
+
COLOR
|
156 |
+
VOLUME
|
157 |
+
AUTO DIM
|
158 |
+
SCALE ADJUST
|
159 |
+
Press +/- to adjust the CONTRAST level. (COLOR and VOLUME adjust accordingly.)
|
160 |
+
|
161 |
+
When auto dim is turned on in dark environment, OSD turns into dim mode for
|
162 |
+
dim setting; when auto dim is turned on/off in bright environment, OSD display
|
163 |
+
normal mode.
|
164 |
+
|
165 |
+
Touch down-arrow to select SCALE ADJUST.
|
166 |
+
Exit menu and again touch to display the grid line.
|
167 |
+
PICTURE
|
168 |
+
DIM BRIGHT
|
169 |
+
DIM CONTRAST
|
170 |
+
DIM COLOR
|
171 |
+
VOLUME
|
172 |
+
AUTO DIM
|
173 |
+
SCALE ADJUST
|
174 |
+
|
175 |
+
Touch +/- to select up/down-arrow or left/right-arrow for scale adjustment. If up/down-arrow is selected, touch +/- to adjust the scale up/down. If up/down-arrow is elected, pres +/- to adjust the scale left/right.
|
176 |
+
|
177 |
+
(2) OPTION
|
178 |
+
LANG, SCALE, CAM 1, CAM 2, CAM 3, CAM 4 options will display on the screen as
|
179 |
+
illustrated below:
|
180 |
+
Press down-arrow to select LANG.
|
181 |
+
OPTION
|
182 |
+
LANG
|
183 |
+
SCALE
|
184 |
+
CAM 1
|
185 |
+
CAM 2
|
186 |
+
CAM 3
|
187 |
+
CAM 4
|
188 |
+
Press +/- to select ENGLISH/ DUTCH/ FRENCH/ PORTUGUESE/ SPANISH/ RUSSIAN/ GERMAN/ ITALIAN.
|
189 |
+
|
190 |
+
Press down-arrrow to select SCALE.
|
191 |
+
OPTION
|
192 |
+
LANG
|
193 |
+
SCALE
|
194 |
+
CAM 1
|
195 |
+
CAM 2
|
196 |
+
CAM 3
|
197 |
+
CAM 4
|
198 |
+
|
199 |
+
Press +/- to select ON/OFF. Scale refers to the reversing distance indicator displayed on the monitor.
|
200 |
+
|
201 |
+
Press down-arrow to select CAM 1.
|
202 |
+
OPTION
|
203 |
+
LANG
|
204 |
+
SCALE
|
205 |
+
CAM 1
|
206 |
+
CAM 2
|
207 |
+
CAM 3
|
208 |
+
CAM 4
|
209 |
+
|
210 |
+
Press +/- to select NORMAL/MIRROR.
|
211 |
+
|
212 |
+
(3) SYSTEM
|
213 |
+
The COLOR-SYS, BLUE BACK, HORIZONTAL, VERTICAL and ZOOM functions will display on the screen as illustrated below:
|
214 |
+
Press down-arrow to select COLOR-SYS.
|
215 |
+
SYSTEM
|
216 |
+
COLOR-SYS
|
217 |
+
BLUE BACK
|
218 |
+
HORIZONTAL
|
219 |
+
VERTICAL
|
220 |
+
ZOOM
|
221 |
+
Press +/- to select PAL/AUTO/NTSC.
|
222 |
+
|
223 |
+
Press down-arrow to select BLUE BACK.
|
224 |
+
SYSTEM
|
225 |
+
COLOR-SYS
|
226 |
+
BLUE BACK
|
227 |
+
HORIZONTAL
|
228 |
+
VERTICAL
|
229 |
+
ZOOM
|
230 |
+
Press +/- to select ON/OFF.
|
231 |
+
|
232 |
+
Press down-arrowto select ZOOM.
|
233 |
+
SYSTEM
|
234 |
+
COLOR-SYS
|
235 |
+
BLUE BACK
|
236 |
+
HORIZONTAL
|
237 |
+
VERTICAL
|
238 |
+
ZOOM
|
239 |
+
Press +/- to select 16:9 or 4:3
|
240 |
+
|
241 |
+
|
242 |
+
(4) AUTO SCAN
|
243 |
+
AUTO SCAN, SCAN TIME, CAM 1, CAM 2, CAM 3, CAM 4 options display on the screen as illustrated below:
|
244 |
+
Touch down-arrow to SCAN TIME.
|
245 |
+
AUTO SCAN
|
246 |
+
AUTO SCAN
|
247 |
+
SCAN TIME
|
248 |
+
CAM 1
|
249 |
+
CAM 2
|
250 |
+
CAM 3
|
251 |
+
CAM 4
|
252 |
+
Touch +/- to select 1S ~ 90S.
|
253 |
+
|
254 |
+
TECHNICAL SUPPORT/TROUBLE-SHOOTING
|
255 |
+
The following table data has 3 columns - SYMPTOM, CAUSE, and SOLUTION
|
256 |
+
SYMPTOM: Small/ unstable image; CAUSE: Monitor has improper voltage; SOLUTION: Check the voltage of power supply
|
257 |
+
SYMPTOM: Black image; CAUSE: Monitor has improper voltage; SOLUTION: Check fuse, check powercable, wires or connections(look for loose or broken wires)
|
258 |
+
SYMPTOM: White image; CAUSE: Monitor or camera; SOLUTION: Check main system cable.Make sure all connectors areconnected properly. If ok,check 4pin camera/ monitorcable
|
259 |
+
SYMPTOM: Blurred image; CAUSE: Dirty camera lens; SOLUTION: Clean camera lens
|
260 |
+
SYMPTOM: Engine noise or static lines; CAUSE: Monitor; SOLUTION: Check ground and +12V DC source
|
261 |
+
SYMPTOM: No image; CAUSE: No power or unplugged connector; SOLUTION: Check power and check for unplugged or broken camera cable
|
262 |
+
SYMPTOM: Upside down or lateral inverted picture; CAUSE: Not set to proper orientation.; SOLUTION: Use the remote contol horizon-tal/ vertical selection switch to correct.
|
263 |
+
|
264 |
+
1. SAFETY INFORMATION
|
265 |
+
Before installing and operating, read manual. Congratulations on the purchase of your Zone Defense System. Zone Defense is a leader in vehicle observation systems. When properly installed and used, your ZD.323.1.4 is designed to provide you with years of trouble-free operation. This manual contains important information required to properly install and operate the unit. Please read this manual thoroughly before beginning. All Zone Defense products are strictly intended to be installed as a supplement and Zone Defense observation systems and/or products are not intented for use as substitutes for rear-view mirror devices, or for any other standard motor vehicle equipment required to be installed on vehicles by law. Zone Defense products contribute to
|
266 |
+
substitute for proper defensive driving techniques, observance of traffic laws and and motor vehicle safety regulations.
|
267 |
+
WARNINGS!
|
268 |
+
Installation Location: It is unlawful in most jurisdictions for any person(s) to drive a motor vehicle equipped with a television viewer/screen located at any point forward of the back of the driver’s seat (or in any location that is visible, directly or indirectly), to the driver while operating the vehicle. The ZD.323.1.4 is designed to be used primarily as a rear observation device. In any installation where ZD.323.1.4 products are used to display television broadcasts or recorded video playback, installation location must adhere to local laws and regulations.
|
269 |
+
TAMPERING
|
270 |
+
To prevent electrical shock, DO NOT OPEN THE MONITOR CASE. There are potentially harmful voltages inside the monitor. There are no user serviceable parts inside any of the components of the Zone
|
271 |
+
Defense products. If tampering is detected, the warranty will be considered void.
|
272 |
+
|
273 |
+
WARNING: Do not place heavy objects on cables or cover them with rugs or carpet. Do not place cables where they can be pinched or stepped on. Watching videos, broadcasts, DVD’s and/or any images other than from intended driving assistance cameras is prohibited.
|
274 |
+
CAUTION: To avoid damage to electronic circuit, disconnect power to the monitor while doing welding work to the vehicle and/or trailers. Never immerse any component in water, and do not employ spray
|
275 |
+
cleaners. When cleaning, use damp lint-free cloth only. Connect this unit only to other compatible devices. Make sure all cables are connected properly; improper cable connections may damage the camera and the monitor.Cables should not be allowed to touch hot or rotating parts, such as an engine, a ventilator, etc. Do not locate the monitor near heat generating vents or devices. Turn off power to the monitor when connecting the camera. Monitors are not designed to be waterproof. Exposure to water, such as rain, may damage the unit. This symbol is intended to alert the user to the presence of important operating and maintenance (servic-ing) instruction in the literature accompanying the appliance. This symbol is intended to alert the user not to place electronic equipment in the waste.
|
276 |
+
CAUTION: manual could void your warranty and necessitate expensive repairs.
|
source_documents/state_of_the_union.txt
ADDED
@@ -0,0 +1,723 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
Madam Speaker, Madam Vice President, our First Lady and Second Gentleman. Members of Congress and the Cabinet. Justices of the Supreme Court. My fellow Americans.
|
2 |
+
|
3 |
+
Last year COVID-19 kept us apart. This year we are finally together again.
|
4 |
+
|
5 |
+
Tonight, we meet as Democrats Republicans and Independents. But most importantly as Americans.
|
6 |
+
|
7 |
+
With a duty to one another to the American people to the Constitution.
|
8 |
+
|
9 |
+
And with an unwavering resolve that freedom will always triumph over tyranny.
|
10 |
+
|
11 |
+
Six days ago, Russia’s Vladimir Putin sought to shake the foundations of the free world thinking he could make it bend to his menacing ways. But he badly miscalculated.
|
12 |
+
|
13 |
+
He thought he could roll into Ukraine and the world would roll over. Instead he met a wall of strength he never imagined.
|
14 |
+
|
15 |
+
He met the Ukrainian people.
|
16 |
+
|
17 |
+
From President Zelenskyy to every Ukrainian, their fearlessness, their courage, their determination, inspires the world.
|
18 |
+
|
19 |
+
Groups of citizens blocking tanks with their bodies. Everyone from students to retirees teachers turned soldiers defending their homeland.
|
20 |
+
|
21 |
+
In this struggle as President Zelenskyy said in his speech to the European Parliament “Light will win over darkness.” The Ukrainian Ambassador to the United States is here tonight.
|
22 |
+
|
23 |
+
Let each of us here tonight in this Chamber send an unmistakable signal to Ukraine and to the world.
|
24 |
+
|
25 |
+
Please rise if you are able and show that, Yes, we the United States of America stand with the Ukrainian people.
|
26 |
+
|
27 |
+
Throughout our history we’ve learned this lesson when dictators do not pay a price for their aggression they cause more chaos.
|
28 |
+
|
29 |
+
They keep moving.
|
30 |
+
|
31 |
+
And the costs and the threats to America and the world keep rising.
|
32 |
+
|
33 |
+
That’s why the NATO Alliance was created to secure peace and stability in Europe after World War 2.
|
34 |
+
|
35 |
+
The United States is a member along with 29 other nations.
|
36 |
+
|
37 |
+
It matters. American diplomacy matters. American resolve matters.
|
38 |
+
|
39 |
+
Putin’s latest attack on Ukraine was premeditated and unprovoked.
|
40 |
+
|
41 |
+
He rejected repeated efforts at diplomacy.
|
42 |
+
|
43 |
+
He thought the West and NATO wouldn’t respond. And he thought he could divide us at home. Putin was wrong. We were ready. Here is what we did.
|
44 |
+
|
45 |
+
We prepared extensively and carefully.
|
46 |
+
|
47 |
+
We spent months building a coalition of other freedom-loving nations from Europe and the Americas to Asia and Africa to confront Putin.
|
48 |
+
|
49 |
+
I spent countless hours unifying our European allies. We shared with the world in advance what we knew Putin was planning and precisely how he would try to falsely justify his aggression.
|
50 |
+
|
51 |
+
We countered Russia’s lies with truth.
|
52 |
+
|
53 |
+
And now that he has acted the free world is holding him accountable.
|
54 |
+
|
55 |
+
Along with twenty-seven members of the European Union including France, Germany, Italy, as well as countries like the United Kingdom, Canada, Japan, Korea, Australia, New Zealand, and many others, even Switzerland.
|
56 |
+
|
57 |
+
We are inflicting pain on Russia and supporting the people of Ukraine. Putin is now isolated from the world more than ever.
|
58 |
+
|
59 |
+
Together with our allies –we are right now enforcing powerful economic sanctions.
|
60 |
+
|
61 |
+
We are cutting off Russia’s largest banks from the international financial system.
|
62 |
+
|
63 |
+
Preventing Russia’s central bank from defending the Russian Ruble making Putin’s $630 Billion “war fund” worthless.
|
64 |
+
|
65 |
+
We are choking off Russia’s access to technology that will sap its economic strength and weaken its military for years to come.
|
66 |
+
|
67 |
+
Tonight I say to the Russian oligarchs and corrupt leaders who have bilked billions of dollars off this violent regime no more.
|
68 |
+
|
69 |
+
The U.S. Department of Justice is assembling a dedicated task force to go after the crimes of Russian oligarchs.
|
70 |
+
|
71 |
+
We are joining with our European allies to find and seize your yachts your luxury apartments your private jets. We are coming for your ill-begotten gains.
|
72 |
+
|
73 |
+
And tonight I am announcing that we will join our allies in closing off American air space to all Russian flights – further isolating Russia – and adding an additional squeeze –on their economy. The Ruble has lost 30% of its value.
|
74 |
+
|
75 |
+
The Russian stock market has lost 40% of its value and trading remains suspended. Russia’s economy is reeling and Putin alone is to blame.
|
76 |
+
|
77 |
+
Together with our allies we are providing support to the Ukrainians in their fight for freedom. Military assistance. Economic assistance. Humanitarian assistance.
|
78 |
+
|
79 |
+
We are giving more than $1 Billion in direct assistance to Ukraine.
|
80 |
+
|
81 |
+
And we will continue to aid the Ukrainian people as they defend their country and to help ease their suffering.
|
82 |
+
|
83 |
+
Let me be clear, our forces are not engaged and will not engage in conflict with Russian forces in Ukraine.
|
84 |
+
|
85 |
+
Our forces are not going to Europe to fight in Ukraine, but to defend our NATO Allies – in the event that Putin decides to keep moving west.
|
86 |
+
|
87 |
+
For that purpose we’ve mobilized American ground forces, air squadrons, and ship deployments to protect NATO countries including Poland, Romania, Latvia, Lithuania, and Estonia.
|
88 |
+
|
89 |
+
As I have made crystal clear the United States and our Allies will defend every inch of territory of NATO countries with the full force of our collective power.
|
90 |
+
|
91 |
+
And we remain clear-eyed. The Ukrainians are fighting back with pure courage. But the next few days weeks, months, will be hard on them.
|
92 |
+
|
93 |
+
Putin has unleashed violence and chaos. But while he may make gains on the battlefield – he will pay a continuing high price over the long run.
|
94 |
+
|
95 |
+
And a proud Ukrainian people, who have known 30 years of independence, have repeatedly shown that they will not tolerate anyone who tries to take their country backwards.
|
96 |
+
|
97 |
+
To all Americans, I will be honest with you, as I’ve always promised. A Russian dictator, invading a foreign country, has costs around the world.
|
98 |
+
|
99 |
+
And I’m taking robust action to make sure the pain of our sanctions is targeted at Russia’s economy. And I will use every tool at our disposal to protect American businesses and consumers.
|
100 |
+
|
101 |
+
Tonight, I can announce that the United States has worked with 30 other countries to release 60 Million barrels of oil from reserves around the world.
|
102 |
+
|
103 |
+
America will lead that effort, releasing 30 Million barrels from our own Strategic Petroleum Reserve. And we stand ready to do more if necessary, unified with our allies.
|
104 |
+
|
105 |
+
These steps will help blunt gas prices here at home. And I know the news about what’s happening can seem alarming.
|
106 |
+
|
107 |
+
But I want you to know that we are going to be okay.
|
108 |
+
|
109 |
+
When the history of this era is written Putin’s war on Ukraine will have left Russia weaker and the rest of the world stronger.
|
110 |
+
|
111 |
+
While it shouldn’t have taken something so terrible for people around the world to see what’s at stake now everyone sees it clearly.
|
112 |
+
|
113 |
+
We see the unity among leaders of nations and a more unified Europe a more unified West. And we see unity among the people who are gathering in cities in large crowds around the world even in Russia to demonstrate their support for Ukraine.
|
114 |
+
|
115 |
+
In the battle between democracy and autocracy, democracies are rising to the moment, and the world is clearly choosing the side of peace and security.
|
116 |
+
|
117 |
+
This is a real test. It’s going to take time. So let us continue to draw inspiration from the iron will of the Ukrainian people.
|
118 |
+
|
119 |
+
To our fellow Ukrainian Americans who forge a deep bond that connects our two nations we stand with you.
|
120 |
+
|
121 |
+
Putin may circle Kyiv with tanks, but he will never gain the hearts and souls of the Ukrainian people.
|
122 |
+
|
123 |
+
He will never extinguish their love of freedom. He will never weaken the resolve of the free world.
|
124 |
+
|
125 |
+
We meet tonight in an America that has lived through two of the hardest years this nation has ever faced.
|
126 |
+
|
127 |
+
The pandemic has been punishing.
|
128 |
+
|
129 |
+
And so many families are living paycheck to paycheck, struggling to keep up with the rising cost of food, gas, housing, and so much more.
|
130 |
+
|
131 |
+
I understand.
|
132 |
+
|
133 |
+
I remember when my Dad had to leave our home in Scranton, Pennsylvania to find work. I grew up in a family where if the price of food went up, you felt it.
|
134 |
+
|
135 |
+
That’s why one of the first things I did as President was fight to pass the American Rescue Plan.
|
136 |
+
|
137 |
+
Because people were hurting. We needed to act, and we did.
|
138 |
+
|
139 |
+
Few pieces of legislation have done more in a critical moment in our history to lift us out of crisis.
|
140 |
+
|
141 |
+
It fueled our efforts to vaccinate the nation and combat COVID-19. It delivered immediate economic relief for tens of millions of Americans.
|
142 |
+
|
143 |
+
Helped put food on their table, keep a roof over their heads, and cut the cost of health insurance.
|
144 |
+
|
145 |
+
And as my Dad used to say, it gave people a little breathing room.
|
146 |
+
|
147 |
+
And unlike the $2 Trillion tax cut passed in the previous administration that benefitted the top 1% of Americans, the American Rescue Plan helped working people—and left no one behind.
|
148 |
+
|
149 |
+
And it worked. It created jobs. Lots of jobs.
|
150 |
+
|
151 |
+
In fact—our economy created over 6.5 Million new jobs just last year, more jobs created in one year
|
152 |
+
than ever before in the history of America.
|
153 |
+
|
154 |
+
Our economy grew at a rate of 5.7% last year, the strongest growth in nearly 40 years, the first step in bringing fundamental change to an economy that hasn’t worked for the working people of this nation for too long.
|
155 |
+
|
156 |
+
For the past 40 years we were told that if we gave tax breaks to those at the very top, the benefits would trickle down to everyone else.
|
157 |
+
|
158 |
+
But that trickle-down theory led to weaker economic growth, lower wages, bigger deficits, and the widest gap between those at the top and everyone else in nearly a century.
|
159 |
+
|
160 |
+
Vice President Harris and I ran for office with a new economic vision for America.
|
161 |
+
|
162 |
+
Invest in America. Educate Americans. Grow the workforce. Build the economy from the bottom up
|
163 |
+
and the middle out, not from the top down.
|
164 |
+
|
165 |
+
Because we know that when the middle class grows, the poor have a ladder up and the wealthy do very well.
|
166 |
+
|
167 |
+
America used to have the best roads, bridges, and airports on Earth.
|
168 |
+
|
169 |
+
Now our infrastructure is ranked 13th in the world.
|
170 |
+
|
171 |
+
We won’t be able to compete for the jobs of the 21st Century if we don’t fix that.
|
172 |
+
|
173 |
+
That’s why it was so important to pass the Bipartisan Infrastructure Law—the most sweeping investment to rebuild America in history.
|
174 |
+
|
175 |
+
This was a bipartisan effort, and I want to thank the members of both parties who worked to make it happen.
|
176 |
+
|
177 |
+
We’re done talking about infrastructure weeks.
|
178 |
+
|
179 |
+
We’re going to have an infrastructure decade.
|
180 |
+
|
181 |
+
It is going to transform America and put us on a path to win the economic competition of the 21st Century that we face with the rest of the world—particularly with China.
|
182 |
+
|
183 |
+
As I’ve told Xi Jinping, it is never a good bet to bet against the American people.
|
184 |
+
|
185 |
+
We’ll create good jobs for millions of Americans, modernizing roads, airports, ports, and waterways all across America.
|
186 |
+
|
187 |
+
And we’ll do it all to withstand the devastating effects of the climate crisis and promote environmental justice.
|
188 |
+
|
189 |
+
We’ll build a national network of 500,000 electric vehicle charging stations, begin to replace poisonous lead pipes—so every child—and every American—has clean water to drink at home and at school, provide affordable high-speed internet for every American—urban, suburban, rural, and tribal communities.
|
190 |
+
|
191 |
+
4,000 projects have already been announced.
|
192 |
+
|
193 |
+
And tonight, I’m announcing that this year we will start fixing over 65,000 miles of highway and 1,500 bridges in disrepair.
|
194 |
+
|
195 |
+
When we use taxpayer dollars to rebuild America – we are going to Buy American: buy American products to support American jobs.
|
196 |
+
|
197 |
+
The federal government spends about $600 Billion a year to keep the country safe and secure.
|
198 |
+
|
199 |
+
There’s been a law on the books for almost a century
|
200 |
+
to make sure taxpayers’ dollars support American jobs and businesses.
|
201 |
+
|
202 |
+
Every Administration says they’ll do it, but we are actually doing it.
|
203 |
+
|
204 |
+
We will buy American to make sure everything from the deck of an aircraft carrier to the steel on highway guardrails are made in America.
|
205 |
+
|
206 |
+
But to compete for the best jobs of the future, we also need to level the playing field with China and other competitors.
|
207 |
+
|
208 |
+
That’s why it is so important to pass the Bipartisan Innovation Act sitting in Congress that will make record investments in emerging technologies and American manufacturing.
|
209 |
+
|
210 |
+
Let me give you one example of why it’s so important to pass it.
|
211 |
+
|
212 |
+
If you travel 20 miles east of Columbus, Ohio, you’ll find 1,000 empty acres of land.
|
213 |
+
|
214 |
+
It won’t look like much, but if you stop and look closely, you’ll see a “Field of dreams,” the ground on which America’s future will be built.
|
215 |
+
|
216 |
+
This is where Intel, the American company that helped build Silicon Valley, is going to build its $20 billion semiconductor “mega site”.
|
217 |
+
|
218 |
+
Up to eight state-of-the-art factories in one place. 10,000 new good-paying jobs.
|
219 |
+
|
220 |
+
Some of the most sophisticated manufacturing in the world to make computer chips the size of a fingertip that power the world and our everyday lives.
|
221 |
+
|
222 |
+
Smartphones. The Internet. Technology we have yet to invent.
|
223 |
+
|
224 |
+
But that’s just the beginning.
|
225 |
+
|
226 |
+
Intel’s CEO, Pat Gelsinger, who is here tonight, told me they are ready to increase their investment from
|
227 |
+
$20 billion to $100 billion.
|
228 |
+
|
229 |
+
That would be one of the biggest investments in manufacturing in American history.
|
230 |
+
|
231 |
+
And all they’re waiting for is for you to pass this bill.
|
232 |
+
|
233 |
+
So let’s not wait any longer. Send it to my desk. I’ll sign it.
|
234 |
+
|
235 |
+
And we will really take off.
|
236 |
+
|
237 |
+
And Intel is not alone.
|
238 |
+
|
239 |
+
There’s something happening in America.
|
240 |
+
|
241 |
+
Just look around and you’ll see an amazing story.
|
242 |
+
|
243 |
+
The rebirth of the pride that comes from stamping products “Made In America.” The revitalization of American manufacturing.
|
244 |
+
|
245 |
+
Companies are choosing to build new factories here, when just a few years ago, they would have built them overseas.
|
246 |
+
|
247 |
+
That’s what is happening. Ford is investing $11 billion to build electric vehicles, creating 11,000 jobs across the country.
|
248 |
+
|
249 |
+
GM is making the largest investment in its history—$7 billion to build electric vehicles, creating 4,000 jobs in Michigan.
|
250 |
+
|
251 |
+
All told, we created 369,000 new manufacturing jobs in America just last year.
|
252 |
+
|
253 |
+
Powered by people I’ve met like JoJo Burgess, from generations of union steelworkers from Pittsburgh, who’s here with us tonight.
|
254 |
+
|
255 |
+
As Ohio Senator Sherrod Brown says, “It’s time to bury the label “Rust Belt.”
|
256 |
+
|
257 |
+
It’s time.
|
258 |
+
|
259 |
+
But with all the bright spots in our economy, record job growth and higher wages, too many families are struggling to keep up with the bills.
|
260 |
+
|
261 |
+
Inflation is robbing them of the gains they might otherwise feel.
|
262 |
+
|
263 |
+
I get it. That’s why my top priority is getting prices under control.
|
264 |
+
|
265 |
+
Look, our economy roared back faster than most predicted, but the pandemic meant that businesses had a hard time hiring enough workers to keep up production in their factories.
|
266 |
+
|
267 |
+
The pandemic also disrupted global supply chains.
|
268 |
+
|
269 |
+
When factories close, it takes longer to make goods and get them from the warehouse to the store, and prices go up.
|
270 |
+
|
271 |
+
Look at cars.
|
272 |
+
|
273 |
+
Last year, there weren’t enough semiconductors to make all the cars that people wanted to buy.
|
274 |
+
|
275 |
+
And guess what, prices of automobiles went up.
|
276 |
+
|
277 |
+
So—we have a choice.
|
278 |
+
|
279 |
+
One way to fight inflation is to drive down wages and make Americans poorer.
|
280 |
+
|
281 |
+
I have a better plan to fight inflation.
|
282 |
+
|
283 |
+
Lower your costs, not your wages.
|
284 |
+
|
285 |
+
Make more cars and semiconductors in America.
|
286 |
+
|
287 |
+
More infrastructure and innovation in America.
|
288 |
+
|
289 |
+
More goods moving faster and cheaper in America.
|
290 |
+
|
291 |
+
More jobs where you can earn a good living in America.
|
292 |
+
|
293 |
+
And instead of relying on foreign supply chains, let’s make it in America.
|
294 |
+
|
295 |
+
Economists call it “increasing the productive capacity of our economy.”
|
296 |
+
|
297 |
+
I call it building a better America.
|
298 |
+
|
299 |
+
My plan to fight inflation will lower your costs and lower the deficit.
|
300 |
+
|
301 |
+
17 Nobel laureates in economics say my plan will ease long-term inflationary pressures. Top business leaders and most Americans support my plan. And here’s the plan:
|
302 |
+
|
303 |
+
First – cut the cost of prescription drugs. Just look at insulin. One in ten Americans has diabetes. In Virginia, I met a 13-year-old boy named Joshua Davis.
|
304 |
+
|
305 |
+
He and his Dad both have Type 1 diabetes, which means they need insulin every day. Insulin costs about $10 a vial to make.
|
306 |
+
|
307 |
+
But drug companies charge families like Joshua and his Dad up to 30 times more. I spoke with Joshua’s mom.
|
308 |
+
|
309 |
+
Imagine what it’s like to look at your child who needs insulin and have no idea how you’re going to pay for it.
|
310 |
+
|
311 |
+
What it does to your dignity, your ability to look your child in the eye, to be the parent you expect to be.
|
312 |
+
|
313 |
+
Joshua is here with us tonight. Yesterday was his birthday. Happy birthday, buddy.
|
314 |
+
|
315 |
+
For Joshua, and for the 200,000 other young people with Type 1 diabetes, let’s cap the cost of insulin at $35 a month so everyone can afford it.
|
316 |
+
|
317 |
+
Drug companies will still do very well. And while we’re at it let Medicare negotiate lower prices for prescription drugs, like the VA already does.
|
318 |
+
|
319 |
+
Look, the American Rescue Plan is helping millions of families on Affordable Care Act plans save $2,400 a year on their health care premiums. Let’s close the coverage gap and make those savings permanent.
|
320 |
+
|
321 |
+
Second – cut energy costs for families an average of $500 a year by combatting climate change.
|
322 |
+
|
323 |
+
Let’s provide investments and tax credits to weatherize your homes and businesses to be energy efficient and you get a tax credit; double America’s clean energy production in solar, wind, and so much more; lower the price of electric vehicles, saving you another $80 a month because you’ll never have to pay at the gas pump again.
|
324 |
+
|
325 |
+
Third – cut the cost of child care. Many families pay up to $14,000 a year for child care per child.
|
326 |
+
|
327 |
+
Middle-class and working families shouldn’t have to pay more than 7% of their income for care of young children.
|
328 |
+
|
329 |
+
My plan will cut the cost in half for most families and help parents, including millions of women, who left the workforce during the pandemic because they couldn’t afford child care, to be able to get back to work.
|
330 |
+
|
331 |
+
My plan doesn’t stop there. It also includes home and long-term care. More affordable housing. And Pre-K for every 3- and 4-year-old.
|
332 |
+
|
333 |
+
All of these will lower costs.
|
334 |
+
|
335 |
+
And under my plan, nobody earning less than $400,000 a year will pay an additional penny in new taxes. Nobody.
|
336 |
+
|
337 |
+
The one thing all Americans agree on is that the tax system is not fair. We have to fix it.
|
338 |
+
|
339 |
+
I’m not looking to punish anyone. But let’s make sure corporations and the wealthiest Americans start paying their fair share.
|
340 |
+
|
341 |
+
Just last year, 55 Fortune 500 corporations earned $40 billion in profits and paid zero dollars in federal income tax.
|
342 |
+
|
343 |
+
That’s simply not fair. That’s why I’ve proposed a 15% minimum tax rate for corporations.
|
344 |
+
|
345 |
+
We got more than 130 countries to agree on a global minimum tax rate so companies can’t get out of paying their taxes at home by shipping jobs and factories overseas.
|
346 |
+
|
347 |
+
That’s why I’ve proposed closing loopholes so the very wealthy don’t pay a lower tax rate than a teacher or a firefighter.
|
348 |
+
|
349 |
+
So that’s my plan. It will grow the economy and lower costs for families.
|
350 |
+
|
351 |
+
So what are we waiting for? Let’s get this done. And while you’re at it, confirm my nominees to the Federal Reserve, which plays a critical role in fighting inflation.
|
352 |
+
|
353 |
+
My plan will not only lower costs to give families a fair shot, it will lower the deficit.
|
354 |
+
|
355 |
+
The previous Administration not only ballooned the deficit with tax cuts for the very wealthy and corporations, it undermined the watchdogs whose job was to keep pandemic relief funds from being wasted.
|
356 |
+
|
357 |
+
But in my administration, the watchdogs have been welcomed back.
|
358 |
+
|
359 |
+
We’re going after the criminals who stole billions in relief money meant for small businesses and millions of Americans.
|
360 |
+
|
361 |
+
And tonight, I’m announcing that the Justice Department will name a chief prosecutor for pandemic fraud.
|
362 |
+
|
363 |
+
By the end of this year, the deficit will be down to less than half what it was before I took office.
|
364 |
+
|
365 |
+
The only president ever to cut the deficit by more than one trillion dollars in a single year.
|
366 |
+
|
367 |
+
Lowering your costs also means demanding more competition.
|
368 |
+
|
369 |
+
I’m a capitalist, but capitalism without competition isn’t capitalism.
|
370 |
+
|
371 |
+
It’s exploitation—and it drives up prices.
|
372 |
+
|
373 |
+
When corporations don’t have to compete, their profits go up, your prices go up, and small businesses and family farmers and ranchers go under.
|
374 |
+
|
375 |
+
We see it happening with ocean carriers moving goods in and out of America.
|
376 |
+
|
377 |
+
During the pandemic, these foreign-owned companies raised prices by as much as 1,000% and made record profits.
|
378 |
+
|
379 |
+
Tonight, I’m announcing a crackdown on these companies overcharging American businesses and consumers.
|
380 |
+
|
381 |
+
And as Wall Street firms take over more nursing homes, quality in those homes has gone down and costs have gone up.
|
382 |
+
|
383 |
+
That ends on my watch.
|
384 |
+
|
385 |
+
Medicare is going to set higher standards for nursing homes and make sure your loved ones get the care they deserve and expect.
|
386 |
+
|
387 |
+
We’ll also cut costs and keep the economy going strong by giving workers a fair shot, provide more training and apprenticeships, hire them based on their skills not degrees.
|
388 |
+
|
389 |
+
Let’s pass the Paycheck Fairness Act and paid leave.
|
390 |
+
|
391 |
+
Raise the minimum wage to $15 an hour and extend the Child Tax Credit, so no one has to raise a family in poverty.
|
392 |
+
|
393 |
+
Let’s increase Pell Grants and increase our historic support of HBCUs, and invest in what Jill—our First Lady who teaches full-time—calls America’s best-kept secret: community colleges.
|
394 |
+
|
395 |
+
And let’s pass the PRO Act when a majority of workers want to form a union—they shouldn’t be stopped.
|
396 |
+
|
397 |
+
When we invest in our workers, when we build the economy from the bottom up and the middle out together, we can do something we haven’t done in a long time: build a better America.
|
398 |
+
|
399 |
+
For more than two years, COVID-19 has impacted every decision in our lives and the life of the nation.
|
400 |
+
|
401 |
+
And I know you’re tired, frustrated, and exhausted.
|
402 |
+
|
403 |
+
But I also know this.
|
404 |
+
|
405 |
+
Because of the progress we’ve made, because of your resilience and the tools we have, tonight I can say
|
406 |
+
we are moving forward safely, back to more normal routines.
|
407 |
+
|
408 |
+
We’ve reached a new moment in the fight against COVID-19, with severe cases down to a level not seen since last July.
|
409 |
+
|
410 |
+
Just a few days ago, the Centers for Disease Control and Prevention—the CDC—issued new mask guidelines.
|
411 |
+
|
412 |
+
Under these new guidelines, most Americans in most of the country can now be mask free.
|
413 |
+
|
414 |
+
And based on the projections, more of the country will reach that point across the next couple of weeks.
|
415 |
+
|
416 |
+
Thanks to the progress we have made this past year, COVID-19 need no longer control our lives.
|
417 |
+
|
418 |
+
I know some are talking about “living with COVID-19”. Tonight – I say that we will never just accept living with COVID-19.
|
419 |
+
|
420 |
+
We will continue to combat the virus as we do other diseases. And because this is a virus that mutates and spreads, we will stay on guard.
|
421 |
+
|
422 |
+
Here are four common sense steps as we move forward safely.
|
423 |
+
|
424 |
+
First, stay protected with vaccines and treatments. We know how incredibly effective vaccines are. If you’re vaccinated and boosted you have the highest degree of protection.
|
425 |
+
|
426 |
+
We will never give up on vaccinating more Americans. Now, I know parents with kids under 5 are eager to see a vaccine authorized for their children.
|
427 |
+
|
428 |
+
The scientists are working hard to get that done and we’ll be ready with plenty of vaccines when they do.
|
429 |
+
|
430 |
+
We’re also ready with anti-viral treatments. If you get COVID-19, the Pfizer pill reduces your chances of ending up in the hospital by 90%.
|
431 |
+
|
432 |
+
We’ve ordered more of these pills than anyone in the world. And Pfizer is working overtime to get us 1 Million pills this month and more than double that next month.
|
433 |
+
|
434 |
+
And we’re launching the “Test to Treat” initiative so people can get tested at a pharmacy, and if they’re positive, receive antiviral pills on the spot at no cost.
|
435 |
+
|
436 |
+
If you’re immunocompromised or have some other vulnerability, we have treatments and free high-quality masks.
|
437 |
+
|
438 |
+
We’re leaving no one behind or ignoring anyone’s needs as we move forward.
|
439 |
+
|
440 |
+
And on testing, we have made hundreds of millions of tests available for you to order for free.
|
441 |
+
|
442 |
+
Even if you already ordered free tests tonight, I am announcing that you can order more from covidtests.gov starting next week.
|
443 |
+
|
444 |
+
Second – we must prepare for new variants. Over the past year, we’ve gotten much better at detecting new variants.
|
445 |
+
|
446 |
+
If necessary, we’ll be able to deploy new vaccines within 100 days instead of many more months or years.
|
447 |
+
|
448 |
+
And, if Congress provides the funds we need, we’ll have new stockpiles of tests, masks, and pills ready if needed.
|
449 |
+
|
450 |
+
I cannot promise a new variant won’t come. But I can promise you we’ll do everything within our power to be ready if it does.
|
451 |
+
|
452 |
+
Third – we can end the shutdown of schools and businesses. We have the tools we need.
|
453 |
+
|
454 |
+
It’s time for Americans to get back to work and fill our great downtowns again. People working from home can feel safe to begin to return to the office.
|
455 |
+
|
456 |
+
We’re doing that here in the federal government. The vast majority of federal workers will once again work in person.
|
457 |
+
|
458 |
+
Our schools are open. Let’s keep it that way. Our kids need to be in school.
|
459 |
+
|
460 |
+
And with 75% of adult Americans fully vaccinated and hospitalizations down by 77%, most Americans can remove their masks, return to work, stay in the classroom, and move forward safely.
|
461 |
+
|
462 |
+
We achieved this because we provided free vaccines, treatments, tests, and masks.
|
463 |
+
|
464 |
+
Of course, continuing this costs money.
|
465 |
+
|
466 |
+
I will soon send Congress a request.
|
467 |
+
|
468 |
+
The vast majority of Americans have used these tools and may want to again, so I expect Congress to pass it quickly.
|
469 |
+
|
470 |
+
Fourth, we will continue vaccinating the world.
|
471 |
+
|
472 |
+
We’ve sent 475 Million vaccine doses to 112 countries, more than any other nation.
|
473 |
+
|
474 |
+
And we won’t stop.
|
475 |
+
|
476 |
+
We have lost so much to COVID-19. Time with one another. And worst of all, so much loss of life.
|
477 |
+
|
478 |
+
Let’s use this moment to reset. Let’s stop looking at COVID-19 as a partisan dividing line and see it for what it is: A God-awful disease.
|
479 |
+
|
480 |
+
Let’s stop seeing each other as enemies, and start seeing each other for who we really are: Fellow Americans.
|
481 |
+
|
482 |
+
We can’t change how divided we’ve been. But we can change how we move forward—on COVID-19 and other issues we must face together.
|
483 |
+
|
484 |
+
I recently visited the New York City Police Department days after the funerals of Officer Wilbert Mora and his partner, Officer Jason Rivera.
|
485 |
+
|
486 |
+
They were responding to a 9-1-1 call when a man shot and killed them with a stolen gun.
|
487 |
+
|
488 |
+
Officer Mora was 27 years old.
|
489 |
+
|
490 |
+
Officer Rivera was 22.
|
491 |
+
|
492 |
+
Both Dominican Americans who’d grown up on the same streets they later chose to patrol as police officers.
|
493 |
+
|
494 |
+
I spoke with their families and told them that we are forever in debt for their sacrifice, and we will carry on their mission to restore the trust and safety every community deserves.
|
495 |
+
|
496 |
+
I’ve worked on these issues a long time.
|
497 |
+
|
498 |
+
I know what works: Investing in crime preventionand community police officers who’ll walk the beat, who’ll know the neighborhood, and who can restore trust and safety.
|
499 |
+
|
500 |
+
So let’s not abandon our streets. Or choose between safety and equal justice.
|
501 |
+
|
502 |
+
Let’s come together to protect our communities, restore trust, and hold law enforcement accountable.
|
503 |
+
|
504 |
+
That’s why the Justice Department required body cameras, banned chokeholds, and restricted no-knock warrants for its officers.
|
505 |
+
|
506 |
+
That’s why the American Rescue Plan provided $350 Billion that cities, states, and counties can use to hire more police and invest in proven strategies like community violence interruption—trusted messengers breaking the cycle of violence and trauma and giving young people hope.
|
507 |
+
|
508 |
+
We should all agree: The answer is not to Defund the police. The answer is to FUND the police with the resources and training they need to protect our communities.
|
509 |
+
|
510 |
+
I ask Democrats and Republicans alike: Pass my budget and keep our neighborhoods safe.
|
511 |
+
|
512 |
+
And I will keep doing everything in my power to crack down on gun trafficking and ghost guns you can buy online and make at home—they have no serial numbers and can’t be traced.
|
513 |
+
|
514 |
+
And I ask Congress to pass proven measures to reduce gun violence. Pass universal background checks. Why should anyone on a terrorist list be able to purchase a weapon?
|
515 |
+
|
516 |
+
Ban assault weapons and high-capacity magazines.
|
517 |
+
|
518 |
+
Repeal the liability shield that makes gun manufacturers the only industry in America that can’t be sued.
|
519 |
+
|
520 |
+
These laws don’t infringe on the Second Amendment. They save lives.
|
521 |
+
|
522 |
+
The most fundamental right in America is the right to vote – and to have it counted. And it’s under assault.
|
523 |
+
|
524 |
+
In state after state, new laws have been passed, not only to suppress the vote, but to subvert entire elections.
|
525 |
+
|
526 |
+
We cannot let this happen.
|
527 |
+
|
528 |
+
Tonight. I call on the Senate to: Pass the Freedom to Vote Act. Pass the John Lewis Voting Rights Act. And while you’re at it, pass the Disclose Act so Americans can know who is funding our elections.
|
529 |
+
|
530 |
+
Tonight, I’d like to honor someone who has dedicated his life to serve this country: Justice Stephen Breyer—an Army veteran, Constitutional scholar, and retiring Justice of the United States Supreme Court. Justice Breyer, thank you for your service.
|
531 |
+
|
532 |
+
One of the most serious constitutional responsibilities a President has is nominating someone to serve on the United States Supreme Court.
|
533 |
+
|
534 |
+
And I did that 4 days ago, when I nominated Circuit Court of Appeals Judge Ketanji Brown Jackson. One of our nation’s top legal minds, who will continue Justice Breyer’s legacy of excellence.
|
535 |
+
|
536 |
+
A former top litigator in private practice. A former federal public defender. And from a family of public school educators and police officers. A consensus builder. Since she’s been nominated, she’s received a broad range of support—from the Fraternal Order of Police to former judges appointed by Democrats and Republicans.
|
537 |
+
|
538 |
+
And if we are to advance liberty and justice, we need to secure the Border and fix the immigration system.
|
539 |
+
|
540 |
+
We can do both. At our border, we’ve installed new technology like cutting-edge scanners to better detect drug smuggling.
|
541 |
+
|
542 |
+
We’ve set up joint patrols with Mexico and Guatemala to catch more human traffickers.
|
543 |
+
|
544 |
+
We’re putting in place dedicated immigration judges so families fleeing persecution and violence can have their cases heard faster.
|
545 |
+
|
546 |
+
We’re securing commitments and supporting partners in South and Central America to host more refugees and secure their own borders.
|
547 |
+
|
548 |
+
We can do all this while keeping lit the torch of liberty that has led generations of immigrants to this land—my forefathers and so many of yours.
|
549 |
+
|
550 |
+
Provide a pathway to citizenship for Dreamers, those on temporary status, farm workers, and essential workers.
|
551 |
+
|
552 |
+
Revise our laws so businesses have the workers they need and families don’t wait decades to reunite.
|
553 |
+
|
554 |
+
It’s not only the right thing to do—it’s the economically smart thing to do.
|
555 |
+
|
556 |
+
That’s why immigration reform is supported by everyone from labor unions to religious leaders to the U.S. Chamber of Commerce.
|
557 |
+
|
558 |
+
Let’s get it done once and for all.
|
559 |
+
|
560 |
+
Advancing liberty and justice also requires protecting the rights of women.
|
561 |
+
|
562 |
+
The constitutional right affirmed in Roe v. Wade—standing precedent for half a century—is under attack as never before.
|
563 |
+
|
564 |
+
If we want to go forward—not backward—we must protect access to health care. Preserve a woman’s right to choose. And let’s continue to advance maternal health care in America.
|
565 |
+
|
566 |
+
And for our LGBTQ+ Americans, let’s finally get the bipartisan Equality Act to my desk. The onslaught of state laws targeting transgender Americans and their families is wrong.
|
567 |
+
|
568 |
+
As I said last year, especially to our younger transgender Americans, I will always have your back as your President, so you can be yourself and reach your God-given potential.
|
569 |
+
|
570 |
+
While it often appears that we never agree, that isn’t true. I signed 80 bipartisan bills into law last year. From preventing government shutdowns to protecting Asian-Americans from still-too-common hate crimes to reforming military justice.
|
571 |
+
|
572 |
+
And soon, we’ll strengthen the Violence Against Women Act that I first wrote three decades ago. It is important for us to show the nation that we can come together and do big things.
|
573 |
+
|
574 |
+
So tonight I’m offering a Unity Agenda for the Nation. Four big things we can do together.
|
575 |
+
|
576 |
+
First, beat the opioid epidemic.
|
577 |
+
|
578 |
+
There is so much we can do. Increase funding for prevention, treatment, harm reduction, and recovery.
|
579 |
+
|
580 |
+
Get rid of outdated rules that stop doctors from prescribing treatments. And stop the flow of illicit drugs by working with state and local law enforcement to go after traffickers.
|
581 |
+
|
582 |
+
If you’re suffering from addiction, know you are not alone. I believe in recovery, and I celebrate the 23 million Americans in recovery.
|
583 |
+
|
584 |
+
Second, let’s take on mental health. Especially among our children, whose lives and education have been turned upside down.
|
585 |
+
|
586 |
+
The American Rescue Plan gave schools money to hire teachers and help students make up for lost learning.
|
587 |
+
|
588 |
+
I urge every parent to make sure your school does just that. And we can all play a part—sign up to be a tutor or a mentor.
|
589 |
+
|
590 |
+
Children were also struggling before the pandemic. Bullying, violence, trauma, and the harms of social media.
|
591 |
+
|
592 |
+
As Frances Haugen, who is here with us tonight, has shown, we must hold social media platforms accountable for the national experiment they’re conducting on our children for profit.
|
593 |
+
|
594 |
+
It’s time to strengthen privacy protections, ban targeted advertising to children, demand tech companies stop collecting personal data on our children.
|
595 |
+
|
596 |
+
And let’s get all Americans the mental health services they need. More people they can turn to for help, and full parity between physical and mental health care.
|
597 |
+
|
598 |
+
Third, support our veterans.
|
599 |
+
|
600 |
+
Veterans are the best of us.
|
601 |
+
|
602 |
+
I’ve always believed that we have a sacred obligation to equip all those we send to war and care for them and their families when they come home.
|
603 |
+
|
604 |
+
My administration is providing assistance with job training and housing, and now helping lower-income veterans get VA care debt-free.
|
605 |
+
|
606 |
+
Our troops in Iraq and Afghanistan faced many dangers.
|
607 |
+
|
608 |
+
One was stationed at bases and breathing in toxic smoke from “burn pits” that incinerated wastes of war—medical and hazard material, jet fuel, and more.
|
609 |
+
|
610 |
+
When they came home, many of the world’s fittest and best trained warriors were never the same.
|
611 |
+
|
612 |
+
Headaches. Numbness. Dizziness.
|
613 |
+
|
614 |
+
A cancer that would put them in a flag-draped coffin.
|
615 |
+
|
616 |
+
I know.
|
617 |
+
|
618 |
+
One of those soldiers was my son Major Beau Biden.
|
619 |
+
|
620 |
+
We don’t know for sure if a burn pit was the cause of his brain cancer, or the diseases of so many of our troops.
|
621 |
+
|
622 |
+
But I’m committed to finding out everything we can.
|
623 |
+
|
624 |
+
Committed to military families like Danielle Robinson from Ohio.
|
625 |
+
|
626 |
+
The widow of Sergeant First Class Heath Robinson.
|
627 |
+
|
628 |
+
He was born a soldier. Army National Guard. Combat medic in Kosovo and Iraq.
|
629 |
+
|
630 |
+
Stationed near Baghdad, just yards from burn pits the size of football fields.
|
631 |
+
|
632 |
+
Heath’s widow Danielle is here with us tonight. They loved going to Ohio State football games. He loved building Legos with their daughter.
|
633 |
+
|
634 |
+
But cancer from prolonged exposure to burn pits ravaged Heath’s lungs and body.
|
635 |
+
|
636 |
+
Danielle says Heath was a fighter to the very end.
|
637 |
+
|
638 |
+
He didn’t know how to stop fighting, and neither did she.
|
639 |
+
|
640 |
+
Through her pain she found purpose to demand we do better.
|
641 |
+
|
642 |
+
Tonight, Danielle—we are.
|
643 |
+
|
644 |
+
The VA is pioneering new ways of linking toxic exposures to diseases, already helping more veterans get benefits.
|
645 |
+
|
646 |
+
And tonight, I’m announcing we’re expanding eligibility to veterans suffering from nine respiratory cancers.
|
647 |
+
|
648 |
+
I’m also calling on Congress: pass a law to make sure veterans devastated by toxic exposures in Iraq and Afghanistan finally get the benefits and comprehensive health care they deserve.
|
649 |
+
|
650 |
+
And fourth, let’s end cancer as we know it.
|
651 |
+
|
652 |
+
This is personal to me and Jill, to Kamala, and to so many of you.
|
653 |
+
|
654 |
+
Cancer is the #2 cause of death in America–second only to heart disease.
|
655 |
+
|
656 |
+
Last month, I announced our plan to supercharge
|
657 |
+
the Cancer Moonshot that President Obama asked me to lead six years ago.
|
658 |
+
|
659 |
+
Our goal is to cut the cancer death rate by at least 50% over the next 25 years, turn more cancers from death sentences into treatable diseases.
|
660 |
+
|
661 |
+
More support for patients and families.
|
662 |
+
|
663 |
+
To get there, I call on Congress to fund ARPA-H, the Advanced Research Projects Agency for Health.
|
664 |
+
|
665 |
+
It’s based on DARPA—the Defense Department project that led to the Internet, GPS, and so much more.
|
666 |
+
|
667 |
+
ARPA-H will have a singular purpose—to drive breakthroughs in cancer, Alzheimer’s, diabetes, and more.
|
668 |
+
|
669 |
+
A unity agenda for the nation.
|
670 |
+
|
671 |
+
We can do this.
|
672 |
+
|
673 |
+
My fellow Americans—tonight , we have gathered in a sacred space—the citadel of our democracy.
|
674 |
+
|
675 |
+
In this Capitol, generation after generation, Americans have debated great questions amid great strife, and have done great things.
|
676 |
+
|
677 |
+
We have fought for freedom, expanded liberty, defeated totalitarianism and terror.
|
678 |
+
|
679 |
+
And built the strongest, freest, and most prosperous nation the world has ever known.
|
680 |
+
|
681 |
+
Now is the hour.
|
682 |
+
|
683 |
+
Our moment of responsibility.
|
684 |
+
|
685 |
+
Our test of resolve and conscience, of history itself.
|
686 |
+
|
687 |
+
It is in this moment that our character is formed. Our purpose is found. Our future is forged.
|
688 |
+
|
689 |
+
Well I know this nation.
|
690 |
+
|
691 |
+
We will meet the test.
|
692 |
+
|
693 |
+
To protect freedom and liberty, to expand fairness and opportunity.
|
694 |
+
|
695 |
+
We will save democracy.
|
696 |
+
|
697 |
+
As hard as these times have been, I am more optimistic about America today than I have been my whole life.
|
698 |
+
|
699 |
+
Because I see the future that is within our grasp.
|
700 |
+
|
701 |
+
Because I know there is simply nothing beyond our capacity.
|
702 |
+
|
703 |
+
We are the only nation on Earth that has always turned every crisis we have faced into an opportunity.
|
704 |
+
|
705 |
+
The only nation that can be defined by a single word: possibilities.
|
706 |
+
|
707 |
+
So on this night, in our 245th year as a nation, I have come to report on the State of the Union.
|
708 |
+
|
709 |
+
And my report is this: the State of the Union is strong—because you, the American people, are strong.
|
710 |
+
|
711 |
+
We are stronger today than we were a year ago.
|
712 |
+
|
713 |
+
And we will be stronger a year from now than we are today.
|
714 |
+
|
715 |
+
Now is our moment to meet and overcome the challenges of our time.
|
716 |
+
|
717 |
+
And we will, as one people.
|
718 |
+
|
719 |
+
One America.
|
720 |
+
|
721 |
+
The United States of America.
|
722 |
+
|
723 |
+
May God bless you all. May God protect our troops.
|