Kim Adams commited on
Commit
a5d5d8d
·
1 Parent(s): 55fadad
chat_bot/process_policies.py ADDED
@@ -0,0 +1,151 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import fitz # PyMuPDF for PDF handling
2
+ import re
3
+ import csv
4
+ import pytesseract
5
+ from PIL import Image
6
+ import pdf2image
7
+
8
+
9
+ def convert_pdf_to_text_ocr(pdf_path, txt_path):
10
+ pages = pdf2image.convert_from_path(pdf_path, 300)
11
+ text_output = ''
12
+ for page in pages:
13
+ text_output += pytesseract.image_to_string(page)
14
+ ##write to output_path
15
+
16
+ with open(txt_path, 'w') as f:
17
+ f.write(text_output)
18
+ return text_output
19
+
20
+ def parse_policy_info(text):
21
+ policy_info = {}
22
+
23
+ policy_number = re.search(r'POLICY NUMBER\s*:\s*(\S+)', text)
24
+ effective_date = re.search(r'EFFECTIVE\s+(\S+)\s+TO\s+(\S+)', text)
25
+ named_insured = re.search(r'Named Insured and Address\s*([\w\s]+)\s', text)
26
+ address = re.search(r'Address\s*([\d\w\s]+)\s*', text)
27
+
28
+ if policy_number:
29
+ policy_info['policy_number'] = policy_number.group(1)
30
+ if effective_date:
31
+ policy_info['effective_date'] = effective_date.group(1)
32
+ policy_info['expiration_date'] = effective_date.group(2)
33
+ if named_insured:
34
+ policy_info['named_insured'] = named_insured.group(1).strip()
35
+ if address:
36
+ policy_info['address'] = address.group(1).strip()
37
+
38
+ return policy_info
39
+
40
+ def parse_contact_info(text):
41
+ contact_info = {}
42
+
43
+ insurance_company = re.search(r'Insurance Company\s*:\s*([\w\s]+)', text)
44
+ customer_service = re.search(r'customer service\s*:\s*(\d+-\d+-\d+)', text)
45
+ claims = re.search(r'claims\s*:\s*(\d+-\d+-\d+)', text)
46
+ website = re.search(r'website\s*:\s*(\S+)', text)
47
+ mailing_address = re.search(r'Mailing Address\s*:\s*([\d\w\s,]+)', text)
48
+
49
+ if insurance_company:
50
+ contact_info['insurance_company'] = insurance_company.group(1).strip()
51
+ if customer_service:
52
+ contact_info['customer_service'] = customer_service.group(1).strip()
53
+ if claims:
54
+ contact_info['claims'] = claims.group(1).strip()
55
+ if website:
56
+ contact_info['website'] = website.group(1).strip()
57
+ if mailing_address:
58
+ contact_info['mailing_address'] = mailing_address.group(1).strip()
59
+
60
+ return contact_info
61
+
62
+ def parse_vehicle_info(text):
63
+ vehicles = []
64
+ # Adjust the regex pattern to match the vehicle details format in your text.
65
+ # Example format in text: "Vehicle Make/Model/Vehicle Identification Number Year"
66
+ vehicle_info = re.findall(r'VEHICLE\s+(Make/Model/Vehicle Identification Number)\s+(\d{4})\n', text)
67
+
68
+ for info in vehicle_info:
69
+ vehicle = {
70
+ 'make': info[0].split()[0], # Assuming make is the first word before the space
71
+ 'model': ' '.join(info[0].split()[1:-2]), # Assuming model is the words between make and VIN
72
+ 'vin': info[0].split()[-2], # Assuming VIN is the second last word
73
+ 'year': info[1], # Year is captured separately in the regex
74
+ 'usage': 'Pleasure', # Default to Pleasure, adjust if found in text
75
+ 'annual_mileage': None # Set to None, adjust if found in text
76
+ }
77
+ vehicles.append(vehicle)
78
+
79
+ return vehicles
80
+
81
+ def parse_coverage_info(text):
82
+ coverages = []
83
+
84
+ coverage_info = re.findall(r'PART\s+(\w+)\s+[-\w\s]*\n([^\n]+)', text)
85
+ for info in coverage_info:
86
+ coverage = {
87
+ 'type': info[0],
88
+ 'limits_of_liability': info[1].strip(),
89
+ 'deductible': None # Set to None, adjust if found in text
90
+ }
91
+ coverages.append(coverage)
92
+
93
+ return coverages
94
+
95
+ def parse_discounts(text):
96
+ discounts = []
97
+
98
+ discount_info = re.findall(r'(\w+\s+\w+)\s+DISCOUNT\s+-\$\s*(\d+\.\d+)', text)
99
+ for info in discount_info:
100
+ discount = {
101
+ 'type': info[0].strip(),
102
+ 'amount': f"-${info[1]}"
103
+ }
104
+ discounts.append(discount)
105
+
106
+ return discounts
107
+
108
+ def parse_additional_info(text):
109
+ additional_info = {}
110
+
111
+ total_premium = re.search(r'TOTAL PREMIUM\s*\$\s*(\d+\.\d+)', text)
112
+ premium_due = re.search(r'PREMIUM DUE AT INCEPTION', text)
113
+ policy_changes = re.findall(r'ENDORSEMENTS\s*:\s*([\w, ]+)', text)
114
+
115
+ if total_premium:
116
+ additional_info['total_premium'] = f"${total_premium.group(1)}"
117
+ if premium_due:
118
+ additional_info['premium_due_at_inception'] = "Yes"
119
+ if policy_changes:
120
+ additional_info['policy_changes'] = [change.strip() for change in policy_changes]
121
+
122
+ return additional_info
123
+
124
+ def parse_compliance_info(text):
125
+ compliance_info = {}
126
+
127
+ state_requirements = re.search(r'state requirements\s*:\s*([\w\s]+)', text)
128
+ coverage_rejections = re.search(r'coverage rejections\s*:\s*([\w\s]+)', text)
129
+
130
+ if state_requirements:
131
+ compliance_info['state_requirements'] = state_requirements.group(1).strip()
132
+ if coverage_rejections:
133
+ compliance_info['coverage_rejections'] = coverage_rejections.group(1).strip()
134
+
135
+ return compliance_info
136
+
137
+ def create_schema(text):
138
+ schema = {
139
+ 'policy_info': parse_policy_info(text),
140
+ 'contact_info': parse_contact_info(text),
141
+ 'vehicles': parse_vehicle_info(text),
142
+ 'coverages': parse_coverage_info(text),
143
+ 'discounts': parse_discounts(text),
144
+ 'additional_info': parse_additional_info(text),
145
+ 'compliance_info': parse_compliance_info(text)
146
+ }
147
+ return schema
148
+
149
+
150
+
151
+
chat_bot/simple_chat_git.py ADDED
@@ -0,0 +1,168 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import openai
3
+ import csv
4
+ import zipfile
5
+ import pandas as pd
6
+ from utilities import constants, api_keys, clean_text, prompt_constants
7
+ from embedding_tools import create_embedding_from_repo
8
+
9
+ openai.api_key = api_keys.APIKeys().get_key('OPENAI_API_KEY')
10
+ messages=[]
11
+
12
+ def extract_zip_to_directory(zip_path, extract_path):
13
+ """Extracts a zip file to a specified directory."""
14
+ with zipfile.ZipFile(zip_path, 'r') as zip_ref:
15
+ zip_ref.extractall(extract_path)
16
+
17
+ def find_code_files(directory, extensions):
18
+ """Recursively finds files with specified extensions in a directory."""
19
+ file_paths = []
20
+ for root, dirs, files in os.walk(directory):
21
+ for file in files:
22
+ if any(file.endswith(ext) for ext in extensions):
23
+ full_path = os.path.join(root, file)
24
+ file_paths.append(full_path)
25
+ return file_paths
26
+
27
+ def read_file(file_path):
28
+ """Attempts to read a file and return its content; skips binary files."""
29
+ try:
30
+ with open(file_path, 'r', encoding='utf-8') as file:
31
+ return file.read()
32
+ except Exception as e:
33
+ print(f"Skipped {file_path}: {e}")
34
+ return None
35
+
36
+
37
+ def CreateCSV(text_chunks):
38
+ with open(constants.GIT_CSV_PATH, 'w', newline='') as csvfile:
39
+ csv_writer = csv.writer(csvfile)
40
+ # Iterate through the chunked_text array and write each chunk as a row
41
+ i=0
42
+ for chunk in text_chunks:
43
+ print(str(i) + ": " + chunk)
44
+ i+=1
45
+ csv_writer.writerow([chunk])
46
+ print(constants.GIT_CSV_PATH + " saved")
47
+
48
+ ###
49
+ def create_chunks(transcript, length):
50
+ """Breaks transcript into chunks based on specified length and whitespace/punctuation."""
51
+ total_length = len(transcript)
52
+ print("total_length: ", total_length, " legnth: " , str(length))
53
+ segment_length = length
54
+ segment_indices = [i for i in range(segment_length - 1, total_length, segment_length)]
55
+ text_chunks = []
56
+ start_idx = 0
57
+ for end_idx in segment_indices:
58
+ while end_idx > start_idx and transcript[end_idx]:
59
+ end_idx -= 1
60
+ if end_idx > start_idx:
61
+ text_chunks.append(transcript[start_idx:end_idx])
62
+ start_idx = end_idx + 1
63
+ if start_idx < total_length:
64
+ text_chunks.append(transcript[start_idx:])
65
+ return text_chunks
66
+
67
+
68
+ def CreateEmbeddings(zip_input_path, git_txt_output_path):
69
+ ''' if os.path.exists(constants.GIT_PKL_PATH):
70
+ df = pd.read_pickle(constants.GIT_PKL_PATH)
71
+ create_embedding_from_repo.CreateEmbeddingsFlat(constants.GIT_CSV_PATH, constants.GIT_PKL_PATH)
72
+ return df
73
+ '''
74
+ extract_path = "extracted_repo"
75
+ #extract_zip_to_directory(zip_input_path, extract_path)
76
+ file_paths = find_code_files(extract_path, ('.pdf'))
77
+ text_chunks = []
78
+ for file_path in file_paths:
79
+ content = read_file(file_path)
80
+ if content:
81
+ text_chunks.append=(create_chunks(content, constants.EMBEDDING_CHUNK_LENGTH))
82
+ CreateCSV(text_chunks)
83
+ print("\n**done")
84
+ create_embedding_from_repo.CreateEmbeddingsFlat(constants.GIT_CSV_PATH, constants.GIT_PKL_PATH)
85
+ df = pd.read_pickle(constants.GIT_PKL_PATH)
86
+ #shutil.rmtree(extract_path) # Clean up extracted files
87
+ return df
88
+ ###
89
+ def create_chunks_orig(transcript, length):
90
+ """Breaks transcript into chunks based on specified length and whitespace/punctuation."""
91
+ total_length = len(transcript)
92
+ print("total_length: ", total_length, " legnth: " , str(length))
93
+ segment_length = length
94
+ segment_indices = [i for i in range(segment_length - 1, total_length, segment_length)]
95
+ text_chunks = []
96
+ start_idx = 0
97
+ for end_idx in segment_indices:
98
+ while end_idx > start_idx and transcript[end_idx]:
99
+ end_idx -= 1
100
+ if end_idx > start_idx:
101
+ text_chunks.append(transcript[start_idx:end_idx])
102
+ start_idx = end_idx + 1
103
+ if start_idx < total_length:
104
+ text_chunks.append(transcript[start_idx:])
105
+ return text_chunks
106
+
107
+ def CreateCSV(text_chunks):
108
+ with open(constants.GIT_CSV_PATH, 'w', newline='') as csvfile:
109
+ csv_writer = csv.writer(csvfile)
110
+ # Iterate through the chunked_text array and write each chunk as a row
111
+ i=0
112
+ for chunk in text_chunks:
113
+ print(str(i) + ": " + chunk)
114
+ i+=1
115
+ csv_writer.writerow([chunk])
116
+ print(constants.GIT_CSV_PATH + " saved")
117
+
118
+ def CreateEmbeddingsOrig(zip_input_path, git_txt_output_path):
119
+ if os.path.exists(constants.GIT_PKL_PATH):
120
+ df = pd.read_pickle(constants.GIT_PKL_PATH)
121
+ create_embedding_from_repo.CreateEmbeddingsFlat(constants.GIT_CSV_PATH, constants.GIT_PKL_PATH)
122
+ return df
123
+
124
+ extract_path = "extracted_repo"
125
+ extract_zip_to_directory(zip_input_path, extract_path)
126
+ file_paths = find_code_files(extract_path, ('.py', '.js', '.ts', '.json', '.html', '.css', '.cpp', '.c', '.java', '.yaml', '.sql'))
127
+ text_chunks = []
128
+ for file_path in file_paths:
129
+ content = read_file(file_path)
130
+ if content:
131
+ text_chunks.append=(create_chunks(content, constants.EMBEDDING_CHUNK_LENGTH))
132
+ CreateCSV(text_chunks)
133
+ print("\n**done")
134
+ create_embedding_from_repo.CreateEmbeddingsFlat(constants.GIT_CSV_PATH, constants.GIT_PKL_PATH)
135
+ df = pd.read_pickle(constants.GIT_PKL_PATH)
136
+ #shutil.rmtree(extract_path) # Clean up extracted files
137
+ return df
138
+
139
+
140
+ def Completion(messages):
141
+ response = openai.ChatCompletion.create(
142
+ model="gpt-4",
143
+ messages=messages
144
+ )
145
+ cleaned_text= clean_text.RemoveRole(response["choices"][0]["message"]["content"])
146
+ return cleaned_text
147
+
148
+ def QueryEmbeddingsSimple(query):
149
+ global messages
150
+ best_answer= create_embedding_from_repo.QueryEmbeddingsFlat(query)
151
+ prompt= prompt_constants.GIT_EXPERT_PROMPT
152
+
153
+ context_text = f"Using this context: {best_answer}"
154
+ messages.append({"role": "system", "content": context_text})
155
+
156
+ prompt_text = f"Using this prompt: {prompt}"
157
+ messages.append({"role": "system", "content": prompt_text})
158
+
159
+ query_text = f"Answer this question: {query}"
160
+ messages.append({"role": "user", "content": query_text})
161
+
162
+ system_message = Completion(messages)
163
+ messages.append({"role": "assistant", "content": system_message})
164
+
165
+ print("system_message: ")
166
+ print(system_message)
167
+ df = pd.DataFrame(messages)
168
+ return system_message, df
chat_bot/ui_simple_chat_git.py ADDED
@@ -0,0 +1,26 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+ import pandas as pd
3
+ from utilities import constants
4
+ from chat_bot import simple_chat_git
5
+
6
+ def InitDF():
7
+ global gitDF
8
+ gitDF=pd.DataFrame({"role": [""], "content": [""] })
9
+ ### changing to input -> pdf, output -> csv
10
+ simple_chat_git.CreateEmbeddings(constants.POLICY_INPUT, constants.POLICY_OUTPUT)
11
+
12
+ def Respond(message, chat_history):
13
+ bot_message,df=simple_chat_git.QueryEmbeddingsSimple(message)
14
+ chat_history.append((message, bot_message))
15
+ return "", chat_history,df
16
+
17
+ with gr.Blocks() as ui:
18
+ label = gr.Label(show_label=False, value="GIT CHAT", container=False)
19
+ question= gr.Textbox (label=constants.QUESTIONS_PREFIX, value=constants.QUESTIONS_AR_EXPERT)
20
+ chatbot = gr.Chatbot(label=constants.CHAT_BOT, height=constants.CHAT_BOT_HEIGHT)
21
+ msg = gr.Textbox(label=constants.CHAT_BOT_INPUT)
22
+ gitDF = gr.DataFrame(type="pandas", value=pd.DataFrame({"role": [""], "content": [""] }), wrap=True, label=constants.OPENAI_LOG)
23
+ clear = gr.ClearButton([msg, chatbot])
24
+ msg.submit(Respond, [msg, chatbot], [msg, chatbot, gitDF])
25
+
26
+ InitDF()
embedding_tools/create_embedding_from_repo.py ADDED
@@ -0,0 +1,71 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import pandas as pd
3
+ from openai.embeddings_utils import get_embedding, cosine_similarity
4
+
5
+ git_info=None
6
+
7
+ def CreateEmbeddingsQA(input_path, output_path):
8
+ global git_info
9
+ if os.path.exists(output_path):
10
+ git_info = pd.read_pickle(output_path)
11
+ else:
12
+ git_info = pd.read_csv(input_path)
13
+ git_info['embedding'] = git_info['answer'].apply(lambda row: get_embedding(str(row), engine='text-embedding-ada-002'))
14
+ git_info.to_pickle(output_path)
15
+
16
+ def CreateEmbeddingsFlat(input_path, output_path):
17
+ global git_info
18
+
19
+ print("CreateEmbeddingsFlat input_path:", input_path)
20
+ print("CreateEmbeddingsFlat output_path:", output_path)
21
+
22
+ if os.path.exists(output_path):
23
+ print("Output file exists. Reading from pickle...")
24
+ git_info = pd.read_pickle(output_path)
25
+ print("Loaded from PKL file.")
26
+ else:
27
+ print("Output file does not exist. Reading from CSV...")
28
+ git_info = pd.read_csv(input_path)
29
+ print("Loaded from CSV file.")
30
+ git_info.columns = ['data']
31
+ print("Columns renamed.")
32
+ git_info['embedding'] = git_info['data'].apply(lambda row: get_embedding(str(row), engine='text-embedding-ada-002'))
33
+ print("3 Loaded from CSV file.")
34
+ git_info.to_pickle(output_path)
35
+ print("4 Loaded from CSV file.")
36
+
37
+ print(f"embedding_info type: {type(git_info)}")
38
+ print(f"embedding_info is None: {git_info is None}")
39
+
40
+
41
+ #------------- #2: fetch embeddings context using text-embedding-ada-002 engine/cosine_similarity for lookup ----------------
42
+ def QueryEmbeddings(question):
43
+ global git_info
44
+ question_vector = get_embedding(question, engine='text-embedding-ada-002')
45
+ # Compute the cosine similarity
46
+ git_info["similarities"] = git_info['embedding'].apply(lambda x: cosine_similarity(x, question_vector))
47
+ sorted_git = git_info.sort_values("similarities", ascending=False).head(5)
48
+ print ("sorted_git", sorted_git)
49
+ best_answer = sorted_git.iloc[0]['answer']
50
+ print("Question: "+question)
51
+ print("Top question: "+ sorted_git.iloc[0]['question'])
52
+ print("Best answer: ", best_answer)
53
+ return best_answer
54
+
55
+
56
+ def QueryEmbeddingsFlat(query):
57
+ global git_info
58
+ question_vector = get_embedding(query, engine='text-embedding-ada-002')
59
+ best_answer="No embeddings."
60
+ print(git_info is None) # Should be False
61
+ if git_info is not None and not git_info.empty:
62
+ print("git_info: ")
63
+ print(git_info)
64
+ git_info["similarities"] = git_info['embedding'].apply(lambda x: cosine_similarity(x, question_vector))
65
+ sorted_matches = git_info.sort_values("similarities", ascending=False).head(5)
66
+ best_answer = sorted_matches.iloc[0]['data']
67
+ print("query: "+query)
68
+ else:
69
+ print("git_info is None")
70
+ print("Best answer: git_info ", best_answer)
71
+ return best_answer
utilities/data/csv/policy.csv ADDED
@@ -0,0 +1,13 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Policy Info Named Insured: a é GREGORY H CARTER 2004 HEADWATER LN AUSTIN TX
2
+ Policy Info Address: of Insured GREGCRY H CARTER 2004 HEADWATER LN AUSTIN TX 78746
3
+ Coverages 0 Type: D
4
+ Coverages 0 Limits Of Liability: COMPREHENSIVE LOSS ACV LESS |D 200} 115.97D 200] 165.74D 200
5
+ Coverages 0 Deductible: None
6
+ Coverages 1 Type: A
7
+ "Coverages 1 Limits Of Liability: The definition of ""Covered person"" is deleted in its entirety and replaced by the following:"
8
+ Coverages 1 Deductible: None
9
+ Coverages 2 Type: E
10
+ Coverages 2 Limits Of Liability: B.3.b. is deleted and replaced by the following:
11
+ Coverages 2 Deductible: None
12
+ Additional Info Premium Due At Inception: Yes
13
+ Additional Info Policy Changes 0: ADDED 07
utilities/data/pdfs/policy.pdf ADDED
Binary file (159 kB). View file
 
utilities/data/pkl/policy.pkl ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:72c4a25dbc6162e52fa1e9799300c5981c81e1561aa031c240ecbdb08e2ae377
3
+ size 167306
utilities/data/txt/policy.txt ADDED
@@ -0,0 +1,1419 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ PAGE 1
2
+ USAA 00872 11 26 7107
3
+
4
+ a
5
+
6
+ &
7
+ 5,
8
+
9
+ 05/30/24
10
+
11
+ GREGORY H CARTER
12
+ 2004 HEADWATER LN
13
+ AUSTIN TX 78746-7839
14
+
15
+ 00872 11 26
16
+
17
+ TXMP(01) 12-18 134227-0119__01
18
+ PAGE 2
19
+
20
+ THIS PAGE INTENTIONALLY LEFT BLANK
21
+ a
22
+
23
+ &
24
+ E,
25
+
26
+ Where you can get information
27
+ or make a complaint
28
+
29
+ If you have a problem with a claim or your
30
+ premium, call your insurance company or HMO
31
+ first. If you can’t work out the issue, the Texas
32
+ Department of Insurance may be able to help.
33
+
34
+ United Services Automobile Association
35
+
36
+ To get information or file a complaint with your
37
+ insurance company:
38
+ Call: 210-531-USAA (8722)
39
+ Toll-free: 1-800-531-USAA (8722)
40
+ Online: usaa.ccom
41
+ Mail: 9800 Fredericksburg Road,
42
+ San Antonio, Texas 78288
43
+
44
+ The Texas Department of Insurance
45
+
46
+ To get help with an insurance question, learn
47
+ about your rights, or file a complaint with the
48
+ state:
49
+
50
+ Call: 1-800-252-3439
51
+ Online: www.tdi.texas.gov
52
+ E-mail: ConsumerProtection@tdi.texas.gov
53
+ Mail: Consumer Protection MC: CO-CP,
54
+ Texas Department of Insurance,
55
+ PO Box 12030, Austin, TX 78711-2030
56
+
57
+ To compare policies and prices
58
+
59
+ Visit HelpInsure.com to compare prices and
60
+ coverages on home and auto insurance policies.
61
+ The website is a service of the Texas
62
+ Department of Insurance and the Office of
63
+ Public Insurance Counsel.
64
+
65
+ AQ250U(03) 09-23
66
+
67
+ PAGE 3
68
+ USAA 00872 11 26 7107
69
+
70
+ Donde puede obtener informacion
71
+ o presentar una queja
72
+
73
+ Si tiene una pregunta o un problema con una
74
+ reclamaci6n o con su prima de_ seguro,
75
+ comuniquese primero con su compania de seguros.
76
+ Usted también puede obtener informacién o
77
+ presentar una queja ante el Departamento de
78
+ Seguros de Texas (Texas Department of Insurance,
79
+ por sunombre en inglés).
80
+
81
+ United Services Automobile Association
82
+
83
+ Para obtener informacién o para presentar una
84
+ queja ante su compania de seguros:
85
+
86
+ Llame: 210-531-USAA (8722)
87
+
88
+ Tel 'efono gratuito: 1-800-531-USAA (8722)
89
+
90
+ En linea: usaa.com
91
+ Direccidn postal: 9800 Fredericksburg Road
92
+ San Antonio, TX 78288
93
+
94
+ El Departamento de Seguros de Texas
95
+
96
+ Para obtener ayuda con una pregunta relacionada
97
+ con los seguros, para conocer sus derechos 0 para
98
+ presentar una queja ante el estado:
99
+
100
+ Llame: 1-800-252-3439
101
+ En linea: www.tdi.texas.gov
102
+ Correo electrénico:
103
+ ConsumerProtection@tdi.texas.gov
104
+ Direccién postal: Consumer Protection MC:
105
+ CO-CP, Texas Department of
106
+ Insurance,
107
+ PO Box 12030, Austin,
108
+ TX 78711-2030
109
+
110
+ Para comparar polizas y precios
111
+
112
+ Visite HelpInsure.com para comparar precios y
113
+ coberturas en podlizas de seguro para el hogar y
114
+ automovil. El sitio web es un _ servicio del
115
+ Departamento de Seguros de Texas y de la Oficina
116
+ del Asesor Publico de Seguros (Office of Public
117
+ Insurance Counsel, por su nombre en inglés).
118
+
119
+ 131714-0723_01
120
+ Page 1 of 1
121
+ y///
122
+
123
+ 5
124
+ S
125
+
126
+ ar
127
+
128
+ PAGE
129
+ MAIL MCH-M-I
130
+ 7987 Y1392
131
+ MAY 30, 2024
132
+
133
+ AUTOMOBILE POLICY PACKET
134
+
135
+ GREGORY H CARTER
136
+ 2004 HEADWATER LN
137
+ AUSTIN TX 78746-7839
138
+
139
+ USAA 00872 11267107 4
140
+
141
+ POLICY PERIOD: EFFECTIVE JUL 29 2024 TO JAN 29 2025
142
+
143
+ Refer to your Declarations Page and endorsements to verify that coverages, limits, deductibles and other
144
+ policy details are correct and meet your insurance needs. Required information forms are also enclosed
145
+
146
+ IMPORTANT MESSAGES
147
+
148
+ for your review.
149
+
150
+ ACS1
151
+
152
+ Check your vehicle for a safety recall today! Visit www.usaa.com/autorecall
153
+ to learn more.
154
+
155
+ Your Uninsured Motorists/Underinsured Motorists Coverage (UM/UIM) and
156
+ Uninsured Motorists Property Damage (UMPD) selection/rejection remains in
157
+ effect. You may quote different coverage limits and make changes at any
158
+ time to your policy on usaa.ccom. Or you may call us at
159
+
160
+ 1-800-531—-USAA (8722).
161
+
162
+ Your Personal Injury Protection (PIP) selection/rejection remains in
163
+ effect. You may quote different coverage limits and make changes at any
164
+ time to your policy on usaa.ccom. Or you may call us at
165
+ 1-800-531-USAA (8722).
166
+
167
+ The cost of your attached policy may include an assessment charge to
168
+ reimburse USAA for funds paid to the Texas Volunteer Fire Department
169
+ Assistance Fund. This assessment is imposed on USAA and other insurers in
170
+ Texas to help volunteer fire departments with equipment and training
171
+ expenses. The assessment charge is applied regardless of your location and
172
+ whether your responding station is a paid or volunteer department. If
173
+ applicable the assessment charge is shown on your Declarations page.
174
+
175
+ Your safety matters to USAA. Visit http://usaa.com/autoadvice for our
176
+ latest auto insurance and driving safety tips.
177
+
178
+ This is not a bill. Any premium charge or change for this policy will be reflected on your
179
+ next regular monthly statement. Your current billing statement should still be paid by
180
+ the due date indicated.
181
+
182
+ To receive this document and others electronically, or manage your Auto Policy online,
183
+ go to usaa.com.
184
+
185
+ For U.S. calls: Policy Service (800) 531-8111. Claims (800) 531-8222.
186
+
187
+ 4
188
+
189
+ 49708-0406
190
+ THIS PAGE INTENTIONALLY LEFT BLANK
191
+
192
+ PAGE
193
+
194
+ 5
195
+ PAGE 6
196
+ USAA 00872 11 26 7107 4
197
+
198
+ AUTOMOBILE POLICY PACKET CONTINUED
199
+
200
+ Your policy includes Ride Share Gap Protection. Safety is a top priority
201
+ for USAA, and we encourage our members to avoid driving while distracted,
202
+ including while engaging in ride sharing activities.
203
+
204
+ Your credit—based insurance score, or insurance score, was one of several
205
+ factors used in determining your auto policy premium. We order your
206
+ credit—based insurance score at issue and you have the right to request,
207
+ once annually, for USAA to obtain and use your most updated credit
208
+ information if such use reduces your premium.
209
+
210
+ USAA considers many factors when determining your premium. Maintaining
211
+ safe driving habits is one of the most important steps you can take in
212
+ keeping your premium as low as possible. A history of claim or driving
213
+ activity and your USAA payment history may affect your policy premium.
214
+
215
+ We have provided your ID cards in this packet. You can use the cards
216
+ to show proof of insurance, if necessary.
217
+
218
+ ACS2
219
+ TEXAS LIABILITY INSURANCE CARD
220
+
221
+ Name and Address of Insured
222
+
223
+ GREGCRY H CARTER
224
+ 2004 HEADWATER LN
225
+ AUSTIN TX 78746-7839
226
+
227
+ GREGCRY H CARTER
228
+ MEGAN L HALEY
229
+ HARRISON HALEY CARTER
230
+ CARSON LEIGH CARTER
231
+
232
+ o- one
233
+
234
+ Insurance Company
235
+ UNITED SERVICES AUTOMOBILE ASSN
236
+
237
+ Policy Number Effective Date
238
+
239
+ 00872 11 2U 7107 4 07/29/24
240
+
241
+ Vehicle Make/Model/Vehicle Identification Number Year
242
+ FIT SW JHMGE88289S056529 2009
243
+
244
+ This policy provides at least the minimum amounts of liability insurance
245
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
246
+ specified vehicle and named insureds and may provide coverage for other
247
+ persons and other vehicles as provided by the insurance policy.
248
+
249
+ Expiration Date
250
+ 01/29/25
251
+
252
+ Texas Liability Insurance Card
253
+ Keep this card.
254
+
255
+ IMPORTANT: This card or a copy of your insurance
256
+ policy must be shown when you apply for or renew your:
257
+
258
+ motor vehicle registration
259
+ driver's license
260
+ motor vehicle safety inspection sticker.
261
+
262
+ You also may be asked to show this card or your policy if
263
+ you have an accident or if a peace officer asks to see it.
264
+
265
+ All drivers in Texas must carry liability insurance on their
266
+ vehicles or otherwise meet legal requirements for financial
267
+ responsibility. Failure to do so could result in fines up to
268
+ $1,000, suspension of your driver's license and motor
269
+ vehicle registration, and impoundment of your vehicle for up
270
+ to 180 days (at a cost of $15 per day).
271
+
272
+ Additional copies available at usaa.com.
273
+
274
+ CONTACT US: 210-531-USAA(8722)
275
+ OR 800-531-USAA
276
+
277
+ Automobile Insurance Identification Cards
278
+
279
+ We've issued two identification cards as evidence of liability insurance for your vehicle(s). These cards are valid only as long
280
+ as liability insurance remains in force. Keep a copy of the ID card in your vehicle at all times.
281
+
282
+ You may be required to produce your identification card at vehicle registration or inspection, when applying for a driver's
283
+ license, following an accident, or upon a law enforcement officer's request.
284
+
285
+ 53TX1 Rev. 06-13 05/30/24
286
+
287
+ TEXAS LIABILITY INSURANCE CARD
288
+
289
+ Name and Address of Insured
290
+
291
+ GREGCRY H CARTER
292
+ 2004 HEADWATER LN
293
+ AUSTIN TX 78746-7839
294
+
295
+ GREGCRY H CARTER
296
+ MEGAN L HALEY
297
+ HARRISON HALEY CARTER
298
+ CARSON LEIGH CARTER
299
+
300
+ Insurance Company
301
+ UNITED SERVICES AUTOMOBILE ASSN
302
+
303
+ Policy Number Effective Date Expiration Date
304
+ 07/29/24 01/29/25
305
+
306
+ 00872 11 2U§ 7107 4
307
+ Vehicle Make/Model/Vehicle Identification Number Year
308
+ JHMGE88289S056529 2009
309
+
310
+ a-om
311
+
312
+ HONDA FIT SW
313
+
314
+ This policy provides at least the minimum amounts of liability insurance
315
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
316
+ specified vehicle and named insureds and may provide coverage for other
317
+ persons and other vehicles as provided by the insurance policy. |
318
+
319
+ 62882-0513__02
320
+
321
+ Texas Liability Insurance Card
322
+ Keep this card.
323
+
324
+ IMPORTANT: This card or a copy of your insurance
325
+ policy must be shown when you apply for or renew your:
326
+
327
+ motor vehicle registration
328
+ driver's license
329
+ motor vehicle safety inspection sticker.
330
+
331
+ You also may be asked to show this card or your policy if
332
+ you have an accident or if a peace officer asks to see it.
333
+
334
+ All drivers in Texas must carry liability insurance on their
335
+ vehicles or otherwise meet legal requirements for financial
336
+ responsibility. Failure to do so could result in fines up to
337
+ $1,000, suspension of your driver's license and motor
338
+ vehicle registration, and impoundment of your vehicle for up
339
+ to 180 days (at a cost of $15 per day).
340
+
341
+ Additional copies available at usaa.com.
342
+
343
+ CONTACT US: 210-531-USAA(8722)
344
+ OR 800-531-USAA
345
+ TEXAS LIABILITY INSURANCE CARD
346
+
347
+ Name and Address of Insured
348
+
349
+ GREGCRY H CARTER
350
+ 2004 HEADWATER LN
351
+ AUSTIN TX 78746-7839
352
+
353
+ GREGCRY H CARTER
354
+ MEGAN L HALEY
355
+ HARRISON HALEY CARTER
356
+ CARSON LEIGH CARTER
357
+
358
+ o- one
359
+
360
+ Insurance Company
361
+ UNITED SERVICES AUTOMOBILE ASSN
362
+
363
+ Policy Number Effective Date
364
+
365
+ 00872 11 2U 7107 4 07/29/24
366
+
367
+ Vehicle Make/Model/Vehicle Identification Number Year
368
+ TOYOTA SIENNA 5TDJZ3DC5HS 179225 2017
369
+
370
+ This policy provides at least the minimum amounts of liability insurance
371
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
372
+ specified vehicle and named insureds and may provide coverage for other
373
+ persons and other vehicles as provided by the insurance policy.
374
+
375
+ Expiration Date
376
+ 01/29/25
377
+
378
+ Texas Liability Insurance Card
379
+ Keep this card.
380
+
381
+ IMPORTANT: This card or a copy of your insurance
382
+ policy must be shown when you apply for or renew your:
383
+
384
+ - motor vehicle registration
385
+ - driver's license
386
+ - motor vehicle safety inspection sticker.
387
+
388
+ You also may be asked to show this card or your policy if
389
+ you have an accident or if a peace officer asks to see it.
390
+
391
+ All drivers in Texas must carry liability insurance on their
392
+ vehicles or otherwise meet legal requirements for financial
393
+ responsibility. Failure to do so could result in fines up to
394
+ $1,000, suspension of your driver's license and motor
395
+ vehicle registration, and impoundment of your vehicle for up
396
+ to 180 days (at a cost of $15 per day).
397
+
398
+ Additional copies available at usaa.com.
399
+
400
+ CONTACT US: 210-531-USAA(8722)
401
+ OR 800-531-USAA
402
+
403
+ Automobile Insurance Identification Cards
404
+
405
+ We've issued two identification cards as evidence of liability insurance for your vehicle(s). These cards are valid only as long
406
+ as liability insurance remains in force. Keep a copy of the ID card in your vehicle at all times.
407
+
408
+ You may be required to produce your identification card at vehicle registration or inspection, when applying for a driver's
409
+ license, following an accident, or upon a law enforcement officer's request.
410
+
411
+ 53TX2 Rev. 06-13 05/30/24
412
+
413
+ TEXAS LIABILITY INSURANCE CARD
414
+
415
+ Name and Address of Insured
416
+
417
+ GREGCRY H CARTER
418
+ 2004 HEADWATER LN
419
+ AUSTIN TX 78746-7839
420
+
421
+ GREGCRY H CARTER
422
+ MEGAN L HALEY
423
+ HARRISON HALEY CARTER
424
+ CARSON LEIGH CARTER
425
+
426
+ Insurance Company
427
+ UNITED SERVICES AUTOMOBILE ASSN
428
+
429
+ Policy Number Effective Date Expiration Date
430
+ 07/29/24 01/29/25
431
+
432
+ 00872 11 2U§ 7107 4
433
+ Year
434
+
435
+ Vehicle Make/Model/Vehicle Identification Number
436
+ TOYOTA SIENNA 5TDJZ3DC5HS 179225 2017
437
+
438
+ This policy provides at least the minimum amounts of liability insurance
439
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
440
+ specified vehicle and named insureds and may provide coverage for other
441
+ persons and other vehicles as provided by the insurance policy. |
442
+
443
+ a-om
444
+
445
+ 62882-0513__02
446
+
447
+ Texas Liability Insurance Card
448
+ Keep this card.
449
+
450
+ IMPORTANT: This card or a copy of your insurance
451
+ policy must be shown when you apply for or renew your:
452
+
453
+ - motor vehicle registration
454
+ - driver's license
455
+ - motor vehicle safety inspection sticker.
456
+
457
+ You also may be asked to show this card or your policy if
458
+ you have an accident or if a peace officer asks to see it.
459
+
460
+ All drivers in Texas must carry liability insurance on their
461
+ vehicles or otherwise meet legal requirements for financial
462
+ responsibility. Failure to do so could result in fines up to
463
+ $1,000, suspension of your driver's license and motor
464
+ vehicle registration, and impoundment of your vehicle for up
465
+ to 180 days (at a cost of $15 per day).
466
+
467
+ Additional copies available at usaa.com.
468
+
469
+ CONTACT US: 210-531-USAA(8722)
470
+ OR 800-531-USAA
471
+ TEXAS LIABILITY INSURANCE CARD
472
+ Name and Address of Insured
473
+
474
+ GREGCRY H CARTER
475
+ MEGAN L HALEY
476
+
477
+ 2004 HEADWATER LN
478
+ AUSTIN TX 78746-7839
479
+
480
+ GREGCRY H CARTER
481
+ MEGAN L HALEY
482
+ HARRISON HALEY CARTER
483
+ CARSON LEIGH CARTER
484
+
485
+ o- one
486
+
487
+ Insurance Company
488
+ UNITED SERVICES AUTOMOBILE ASSN
489
+
490
+ Policy Number Effective Date
491
+
492
+ 00872 11 2U 7107 4 07/29/24
493
+
494
+ Vehicle Make/Model/Vehicle Identification Number Year
495
+ KIA NIRO KNDCD@LD3N5536517 2022
496
+
497
+ This policy provides at least the minimum amounts of liability insurance
498
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
499
+ specified vehicle and named insureds and may provide coverage for other
500
+ persons and other vehicles as provided by the insurance policy.
501
+
502
+ Expiration Date
503
+ 01/29/25
504
+
505
+ Texas Liability Insurance Card
506
+ Keep this card.
507
+
508
+ IMPORTANT: This card or a copy of your insurance
509
+ policy must be shown when you apply for or renew your:
510
+
511
+ - motor vehicle registration
512
+ - driver's license
513
+ - motor vehicle safety inspection sticker.
514
+
515
+ You also may be asked to show this card or your policy if
516
+ you have an accident or if a peace officer asks to see it.
517
+
518
+ All drivers in Texas must carry liability insurance on their
519
+ vehicles or otherwise meet legal requirements for financial
520
+ responsibility. Failure to do so could result in fines up to
521
+ $1,000, suspension of your driver's license and motor
522
+ vehicle registration, and impoundment of your vehicle for up
523
+ to 180 days (at a cost of $15 per day).
524
+
525
+ Additional copies available at usaa.com.
526
+
527
+ CONTACT US: 210-531-USAA(8722)
528
+ OR 800-531-USAA
529
+
530
+ Automobile Insurance Identification Cards
531
+
532
+ We've issued two identification cards as evidence of liability insurance for your vehicle(s). These cards are valid only as long
533
+ as liability insurance remains in force. Keep a copy of the ID card in your vehicle at all times.
534
+
535
+ You may be required to produce your identification card at vehicle registration or inspection, when applying for a driver's
536
+ license, following an accident, or upon a law enforcement officer's request.
537
+
538
+ 53TX3 Rev. 06-13 05/30/24
539
+
540
+ TEXAS LIABILITY INSURANCE CARD
541
+
542
+ Name and Address of Insured
543
+
544
+ GREGCRY H CARTER
545
+ MEGAN L HALEY
546
+
547
+ 2004 HEADWATER LN
548
+ AUSTIN TX 78746-7839
549
+
550
+ GREGCRY H CARTER
551
+ MEGAN L HALEY
552
+ HARRISON HALEY CARTER
553
+ CARSON LEIGH CARTER
554
+
555
+ Insurance Company
556
+
557
+ UNITED SERVICES AUTOMOBILE ASSN
558
+ Policy Number Effective Date Expiration Date
559
+ Vehicle Make/Model/Vehicle Identification Number Year
560
+ 2022
561
+
562
+ a-om
563
+
564
+ KIA NIRO KNDCDBLD3N5536517
565
+
566
+ This policy provides at least the minimum amounts of liability insurance
567
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
568
+ specified vehicle and named insureds and may provide coverage for other
569
+ persons and other vehicles as provided by the insurance policy.
570
+
571
+ 62882-0513__02
572
+
573
+ Texas Liability Insurance Card
574
+ Keep this card.
575
+
576
+ IMPORTANT: This card or a copy of your insurance
577
+ policy must be shown when you apply for or renew your:
578
+
579
+ - motor vehicle registration
580
+ - driver's license
581
+ - motor vehicle safety inspection sticker.
582
+
583
+ You also may be asked to show this card or your policy if
584
+ you have an accident or if a peace officer asks to see it.
585
+
586
+ All drivers in Texas must carry liability insurance on their
587
+ vehicles or otherwise meet legal requirements for financial
588
+ responsibility. Failure to do so could result in fines up to
589
+ $1,000, suspension of your driver's license and motor
590
+ vehicle registration, and impoundment of your vehicle for up
591
+ to 180 days (at a cost of $15 per day).
592
+
593
+ Additional copies available at usaa.com.
594
+
595
+ CONTACT US: 210-531-USAA(8722)
596
+ OR 800-531-USAA
597
+ TEXAS LIABILITY INSURANCE CARD
598
+
599
+ Name and Address of Insured
600
+
601
+ GREGCRY H CARTER
602
+ 2004 HEADWATER LN
603
+ AUSTIN TX 78746-7839
604
+
605
+ GREGCRY H CARTER
606
+ MEGAN L HALEY
607
+ HARRISON HALEY CARTER
608
+ CARSON LEIGH CARTER
609
+
610
+ o- one
611
+
612
+ Insurance Company
613
+ UNITED SERVICES AUTOMOBILE ASSN
614
+
615
+ Policy Number Effective Date
616
+
617
+ 00872 11 2U 7107 4 07/29/24
618
+
619
+ Vehicle Make/Model/Vehicle Identification Number Year
620
+ TOYOTA 5YFBU4EEXCP069944 2012
621
+
622
+ This policy provides at least the minimum amounts of liability insurance
623
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
624
+ specified vehicle and named insureds and may provide coverage for other
625
+ persons and other vehicles as provided by the insurance policy.
626
+
627
+ Expiration Date
628
+ 01/29/25
629
+
630
+ Texas Liability Insurance Card
631
+ Keep this card.
632
+
633
+ IMPORTANT: This card or a copy of your insurance
634
+ policy must be shown when you apply for or renew your:
635
+
636
+ - motor vehicle registration
637
+ - driver's license
638
+ - motor vehicle safety inspection sticker.
639
+
640
+ You also may be asked to show this card or your policy if
641
+ you have an accident or if a peace officer asks to see it.
642
+
643
+ All drivers in Texas must carry liability insurance on their
644
+ vehicles or otherwise meet legal requirements for financial
645
+ responsibility. Failure to do so could result in fines up to
646
+ $1,000, suspension of your driver's license and motor
647
+ vehicle registration, and impoundment of your vehicle for up
648
+ to 180 days (at a cost of $15 per day).
649
+
650
+ Additional copies available at usaa.com.
651
+
652
+ CONTACT US: 210-531-USAA(8722)
653
+ OR 800-531-USAA
654
+
655
+ Automobile Insurance Identification Cards
656
+
657
+ We've issued two identification cards as evidence of liability insurance for your vehicle(s). These cards are valid only as long
658
+ as liability insurance remains in force. Keep a copy of the ID card in your vehicle at all times.
659
+
660
+ You may be required to produce your identification card at vehicle registration or inspection, when applying for a driver's
661
+ license, following an accident, or upon a law enforcement officer's request.
662
+
663
+ 53TX4 Rev. 06-13 05/30/24
664
+
665
+ TEXAS LIABILITY INSURANCE CARD
666
+
667
+ Name and Address of Insured
668
+
669
+ GREGCRY H CARTER
670
+ 2004 HEADWATER LN
671
+ AUSTIN TX 78746-7839
672
+
673
+ GREGCRY H CARTER
674
+ MEGAN L HALEY
675
+ HARRISON HALEY CARTER
676
+ CARSON LEIGH CARTER
677
+
678
+ Insurance Company
679
+ UNITED SERVICES AUTOMOBILE ASSN
680
+
681
+ Policy Number Effective Date Expiration Date
682
+ 07/29/24 01/29/25
683
+
684
+ 00872 11 2U§ 7107 4
685
+ Year
686
+
687
+ Vehicle Make/Model/Vehicle Identification Number
688
+ TOYOTA COROLLA 5YFBU4EEXCP069944 2012
689
+
690
+ This policy provides at least the minimum amounts of liability insurance
691
+ required by the Texas Motor Vehicle Safety Responsibility Act for the
692
+ specified vehicle and named insureds and may provide coverage for other
693
+ persons and other vehicles as provided by the insurance policy.
694
+
695
+ a-om
696
+
697
+ 62882-0513__02
698
+
699
+ Texas Liability Insurance Card
700
+ Keep this card.
701
+
702
+ IMPORTANT: This card or a copy of your insurance
703
+ policy must be shown when you apply for or renew your:
704
+
705
+ - motor vehicle registration
706
+ - driver's license
707
+ - motor vehicle safety inspection sticker.
708
+
709
+ You also may be asked to show this card or your policy if
710
+ you have an accident or if a peace officer asks to see it.
711
+
712
+ All drivers in Texas must carry liability insurance on their
713
+ vehicles or otherwise meet legal requirements for financial
714
+ responsibility. Failure to do so could result in fines up to
715
+ $1,000, suspension of your driver's license and motor
716
+ vehicle registration, and impoundment of your vehicle for up
717
+ to 180 days (at a cost of $15 per day).
718
+
719
+ Additional copies available at usaa.com.
720
+
721
+ CONTACT US: 210-531-USAA(8722)
722
+ OR 800-531-USAA
723
+ PAGE 11
724
+ ADDL INFO ON NEXT PAGE MAIL MCH-M-|
725
+ RENEWAL OF
726
+
727
+ Statel(06 07 08 09 , ven POLICY NUMBER
728
+ TX 1684[684|684|684 ter] 00872 11 26U 7107 4
729
+
730
+ POLICY PERIOD: (12:01 A.M. standard time
731
+ EFFECTIVE JUL 29 2024 TO JAN 29 2025
732
+
733
+ OPERATORS
734
+ 01 GREGORY H CARTER
735
+
736
+ 02 MEGAN L HALEY
737
+
738
+ 03 HARRISON HALEY CARTER
739
+ 04 CARSON LEIGH CARTER
740
+
741
+ UNITED SERVICES AUTOMOBILE ASSOCIATION
742
+
743
+ (ARECIPROCAL INTERINSURANCE EXCHANGE)
744
+ ® 9800 Fredericksburg Road - San Antonio, Texas 78288
745
+ TEXAS PERSONAL AUTO POLICY
746
+ RENEWAL DECLARATIONS
747
+ ATTACH TO PREVIOUS POLICY
748
+ Named Insured and Address
749
+
750
+ a
751
+
752
+ é
753
+
754
+ GREGORY H CARTER
755
+ 2004 HEADWATER LN
756
+ AUSTIN TX 78746-7839
757
+
758
+ Description of Vehicle(s) WORKECHOOL
759
+
760
+ iles
761
+ | VEH| YEAR| TRADE NAME MODEL BODY TYPE eS |W
762
+ SW JHMGE88289S056529
763
+ 5TDJZ3DC5HS179225
764
+ KNDCD3LD3N5536517
765
+ 5 YFBU4EEXCP069944
766
+
767
+ VEH 06 AUSTIN TX 78746-7839 VEH 08
768
+
769
+ VEH 07 AUSTIN TX 78746-7839 VEH 09 AUSTIN TX 78746-7839
770
+
771
+ is policy provides ONLY those coverages where a premium is shown below. e limits shown
772
+
773
+ may be réduced by policy provisions dnd may not be combined regardless of the number of
774
+ vehicles for which a premium is listed unless specifically authorized elsewhere in this policy.
775
+
776
+ COVERAGES LIMITS OF LIABILITY
777
+
778
+ ("ACV" MEANS ACTUAL CASH VALUE)
779
+
780
+ PART A — LIABILITY
781
+ BODILY INJURY EA PER $ 300,000
782
+ EA ACC $_ 500,000
783
+ PROPERTY DAMAGE EA ACC S$_ 100,000
784
+ PART B2-PERSONAL INJURY PROTECTION
785
+ (OPTIONAL) EA PERSON $_ 5,000
786
+ PART C - UM/UIM
787
+ BODILY INJURY EA PER $ 300,000
788
+ EA ACC $_ 500,000
789
+ PROPERTY DAMAGE EFA ACC S$ 100,000D 250
790
+ PART D - PHYSICAL DAMAGE COVERAGE
791
+ COMPREHENSIVE LOSS ACV LESS |D 200} 115.97D 200] 165.74D 200
792
+ COLLISION LOSS ACV LESS |D 250} 275.31/D 250] 247.94D 250
793
+ TOWING AND LABOR
794
+
795
+ 187.73D 200} 184.36
796
+ 296.47D 250) 298.73
797
+
798
+ EHICLE TOTAL PREMIUM 1063.5 818.664 834.7
799
+
800
+ 6 MONTH PREMIUM $ 3968.79
801
+ PREMIUM DUE AT INCEPTION. THIS I§ NOT A BILL, STATEMENT TO FOLLOW. |
802
+
803
+ EARNED ACCIDENT FORGIVENESS APPLIES WITH FIVE YEARS CLEAN DRIVING WITH USAA.
804
+
805
+ ADDITIONAL MESSAGE(S) - SEE FOLLOWING PAGE (S)
806
+
807
+ ENDORSEMENTS: ADDED 07-29-24 - A200TX(03)
808
+
809
+ REMAIN IN EFFECT(REFER TO PREVIOUS POLICY)- A402TX(02) RSGPTX(01) 5100TX(03)
810
+ INFORMATION FORMS: AO250U(03 40TX(01 999TX(33 CDTXAN (01
811
+ E4 1
812
+
813
+ 06] RSFISPOOMOTIII 11 Ep7] RMF59p00D0] "p8] RMM54)0000 Dol RSM20poopollllIll
814
+
815
+ In WITNESS WHEREOF, the Subscribers at UNITED SERVICES AUTOMOBILE ASSOCIATION have caused these presents to be signed by
816
+ their Attorney-in-Fact on thisdate MAY 30, 2024
817
+
818
+ Wayne Peacock
819
+ President, USAA Reciprocal Attorney-in-Fact, Inc.
820
+
821
+ 8500 U_O7-11
822
+ 52801-07-11
823
+ PAGE 12
824
+
825
+ MAIL MCH-M-I
826
+ UNITED SERVICES AUTOMOBILE ASSOCIATION RENEWAL OF
827
+ SS y (ARECIPROCAL INTERINSURANCE EXCHANGE) POLICY NUMBER
828
+ USAA® 9800 Fredericksburg Road - San Antonio, Texas 78288 Tx | of |] I tert 00872 11 26U 7107 4
829
+ TEXAS PERSONAL AUTO POLICY POLICY PERIOD: (12:01 A.M. standard time)
830
+ RENEWAL DECLARATIONS EFFECTIVE JUL 29 2024 TO JAN 29 2025
831
+
832
+ ATTACH TO PREVIOUS POLICY
833
+ Named Insured and Address
834
+
835
+ GREGORY H CARTER
836
+ 2004 HEADWATER LN
837
+ AUSTIN TX 78746-7839
838
+
839
+ Description of Vehicle(s
840
+
841
+ |VEH|YEAR TRADENAME | === MOD =| BODYTYPE Wes IDENTIFICATION NUMBER
842
+
843
+ The Vehicle(s) described herein is principally garaged at the above address unless otherwise stated.|_ WC=WorWSchool, B=Business; F=Farm; P=Pleasure
844
+
845
+ This policy provides ONLY those coverages where a premium is shown below. The limits shown
846
+ may be réduced by policy provisions and may not be combined regardless of the umber of
847
+ vehicles for which a premium is listed unless specifically “authorized elséwhere in this policy.
848
+
849
+ VEH VEH VEH VEH
850
+ COVERAGES LIMITS OF LIABILITY
851
+
852
+ ("ACV" MEANS ACTUAL CASH VALUE) D=DED | PREMIUM | D=DED ] PREMIUM | D=DED | PREMIUM |D=DED | PREMIUM
853
+ AMOUNT $ AMOUNT] _ $ AMOUNT|__ $ AMOUNT $
854
+
855
+ S$ 332.66 HAS BEEN WAIVED DUE TO |ACCIDENT FORGIVENESS.
856
+
857
+ S$ 108.61 INCLUDED IN PREMIUM FOR VEH (09 FOR JRIDE BHARE GAP PROTECTION.
858
+ MVCPA FEE 2.50 2.50 2.50 2.50
859
+
860
+ NOTICE: YOUR PAYMENT INCLUDES A $5.]00 FEIE PER VEHICLE EACH /YEAR.
861
+ THIS FEE HELPS FUND: (1) AUTO BURGLARY, [HEFT AND FRAUD PREVENTIDPN,
862
+ (2) CRIMINAL JUSTICE EFFORTS, (3) TIRAUMA) CARE AND EMERGENCY MEDICAL
863
+ SERVICES FOR VICTIMS OF ACCIDENTS DUE TO) TRAFFIC OFFENSES, |AND (#4)
864
+ THE DETECTION AND PREVENTION OF CATALYTIC CONVHRTER [THEFTS.| BY LAW,
865
+ THIS FEE FUNDS THE MOTOR VEHICLE CRIME PREVENTION AUIHORITY (MVCIPA).
866
+
867
+ NOTICE: AN ASSESSMENT OF $ 1.88 IS PAYABLE IN ADDITION TO THE PREMIUM DUE
868
+ UNDER THIS POLICY. THIS ASSESSMENT |WAS CREATED |BY THE TEXAS LEGISLATURH
869
+ TO FUND THE RURAL VOLUNTEER FIRE DHPARTMENT ASSESSMENT PROGRAM.
870
+
871
+ THE FOLLOWING COVERAGE(S) DEFINED IIN THI§ POLIGY ARE! NOT PROVIDED FOR:
872
+ VEH 06 - RENTAL REIMBURSEMENT
873
+ VEH 07 - RENTAL REIMBURSEMENT | |
874
+ VEH 08 - RENTAL REIMBURSEMENT
875
+ VEH 09 - RENTAL REIMBURSEMENT
876
+
877
+ v v y y
878
+ E
879
+ H
880
+
881
+ In WITNESS WHEREOF, the Subscribers at ay ND SERYICES AUTOMOBILE ASSOCIATION have caused these presents to be signed by
882
+ their Attorney-in-Fact on this date Ys J
883
+ gong Tieng
884
+
885
+ 07-11 Wayne Peacock
886
+
887
+ OO SOL. 7- 11 President, USAA Reciprocal Attorney-in-Fact, Inc.
888
+ PAGE 13
889
+ USAA 00872 11 26 7107
890
+
891
+ SUPPLEMENTAL INFORMATION
892
+ EFFECTIVE JUL 29 2024 TO JAN 29 2025
893
+
894
+ The following approximate premium discounts or credits have already been applied to reduce your policy
895
+ premium costs.
896
+
897
+ NOTE: Age or senior citizen status, if allowed by your state/location, was taken into consideration when
898
+ your rates were set and your premiums have already been adjusted.
899
+
900
+ VEHICLE 06
901
+ ANNUAL MILEAGE DISCOUNT -S$ 10.10
902
+ AUTOMATIC PAYMENT PLAN DISCOUNT -S$ 30.89
903
+ DAYTIME RUNNING LIGHTS DISCOUNT -S$ 7.86
904
+ DRIVER TRAINING DISCOUNT -S$ 46.23
905
+ OPERATOR 04
906
+ GOOD STUDENT DISCOUNT -S$ 66.13
907
+ OPERATOR 04
908
+ MULTI-CAR DISCOUNT -S 157.61
909
+ PASSIVE RESTRAINT DISCOUNT -S$ 3.83
910
+ VEHICLE 07
911
+ AUTOMATIC PAYMENT PLAN DISCOUNT -S$ 23.31
912
+ DAYTIME RUNNING LIGHTS DISCOUNT -S$ 7.02
913
+ MULTI-CAR DISCOUNT -S 105.59
914
+ PASSIVE RESTRAINT DISCOUNT -S$ 2.02
915
+ VEHICLE 08
916
+ ANNUAL MILEAGE DISCOUNT -S$ 40.52
917
+ AUTOMATIC PAYMENT PLAN DISCOUNT -S$ 23.82
918
+ DAYTIME RUNNING LIGHTS DISCOUNT -S$ 8.52
919
+ MULTI-CAR DISCOUNT -S 104.56
920
+ NEW VEHICLE DISCOUNT -S$ 27.27
921
+ PASSIVE RESTRAINT DISCOUNT -S$ 2.08
922
+ VEHICLE 09
923
+ ANNUAL MILEAGE DISCOUNT -S$ 10.90
924
+ AUTOMATIC PAYMENT PLAN DISCOUNT -S$ 33.35
925
+ DAYTIME RUNNING LIGHTS DISCOUNT -S$ 8.59
926
+ DRIVER TRAINING DISCOUNT -S$ 50.43
927
+ OPERATOR 03
928
+ MULTI-CAR DISCOUNT -S 159.59
929
+ PASSIVE RESTRAINT DISCOUNT -S$ 3.25
930
+
931
+ SUPDECCW Rev. 7-95 MAY 30, 2024
932
+ PAGE 14
933
+ USAA 00872 11 26 7107
934
+
935
+ AMENDMENT OF POLICY PROVISIONS - TEXAS
936
+
937
+ This Amendment forms a part of the auto policy to which it is attached, and it modifies that policy as
938
+ follows:
939
+
940
+ DEFINITIONS
941
+
942
+ The following definition is deleted in its entirety and replaced by the following:
943
+
944
+ K. "Newly acquired vehicle."
945
+
946
+ 1. "Newly acquired vehicle" means a vehicle that is acquired by you or any family member
947
+ during the policy period and is:
948
+
949
+ a A private passenger auto, pickup, trailer, or van;
950
+ b. A miscellaneous vehicle that is not used in any business or occupation; or
951
+ c. A motorcycle, but only if a motorcycle is shown on the current Declarations.
952
+
953
+ 2. We will automatically provide for the newly acquired vehicle the broadest coverages as are
954
+ provided for any vehicle shown on the Declarations. If your policy does not provide
955
+ Comprehensive Coverage or Collision Coverage, we will automatically provide these coverages
956
+ for the newly acquired vehicle subject to a $500 deductible for each loss.
957
+
958
+ 3. Any automatic provision of coverage under K.2. will apply for up to 30 days after the date
959
+ you or afamily member becomes the owner of the newly acquired vehicle. If you wish to
960
+ continue coverage for the newly acquired vehicle beyond this 30-day period, you must
961
+ request it during this 30-day period. If you request coverage after this 30-day period, any
962
+ coverage that we agree to provide will be effective at the date and time of your request
963
+ unless we agree to an earlier date.
964
+
965
+ The following definitions are added:
966
+
967
+ Q. "Repair facility" means a person or entity that rebuilds, repairs, or services a motor vehicle for
968
+ consideration or under a warranty, service, or maintenance contract.
969
+
970
+ R. "Temporary vehicle."
971
+ 1. "Temporary vehicle" includes a vehicle that is loaned or provided to an insured by an
972
+ automobile repair facility for use while your covered auto is at the repair facility for
973
+ service, repair, maintenance, or damage or to obtain an estimate and is:
974
+
975
+ a. In the lawful possession of the insured or any family member;
976
+
977
+ b. Not owned by you, any family member, or any other person residing in your household;
978
+ and
979
+
980
+ c. Operated by or in the possession of the insured or any family member until the vehicle is
981
+ returned to the repair facility.
982
+
983
+ 135407-1223_ 01
984
+ A200TX(03) 12-23 Page 1 of 4
985
+ PAGE 15
986
+ USAA 00872 11 26 7107
987
+
988
+ PART A - LIABILITY COVERAGE
989
+
990
+ DEFINITIONS
991
+ The definition of "Covered person" is deleted in its entirety and replaced by the following:
992
+ "Covered person" as used in this Part means:
993
+ 1. You or any family member for the ownership, maintenance, or use of any auto or trailer.
994
+ 2. Any person using your covered auto.
995
+
996
+ 3. Any other person or organization, but only with respect to legal liability imposed on them for
997
+ the acts or omissions of a person for whom coverage is afforded in 1. or 2. above. With
998
+ respect to an auto or trailer other than your covered auto, this provision only applies if the
999
+ other person or organization does not own or hire the auto or trailer.
1000
+
1001
+ 4. You, any family member, or any licensed operator who resides in your household for the
1002
+ maintenance or use of a temporary vehicle.
1003
+
1004
+ The following are not covered persons under Part A:
1005
+ 1. The United States of America or any of its agencies.
1006
+
1007
+ 2. Any person with respect to BI or PD resulting from the operation of an auto by that person as
1008
+ an employee of the United States Government. This applies only if the provisions of Section
1009
+ 2679 of Title 28, United States Code as amended, require the Attorney General of the United
1010
+ States to defend that person in any civil action which may be brought for the BI or PD.
1011
+ EXCLUSIONS
1012
+
1013
+ Exclusion A.3. is deleted in its entirety and replaced by the following:
1014
+
1015
+ 3. For PD to property rented to, used by, or in the care of any covered person. This exclusion
1016
+ (A.3.) does not apply to damage to:
1017
+
1018
+ a. A residence or garage; or
1019
+ b. A temporary vehicle.
1020
+
1021
+ However, this exclusion does apply to a loss due to or as a consequence of a seizure of an
1022
+ auto by federal or state law enforcement officers as evidence in a case against a covered
1023
+ person under the Texas Controlled Substances Act or the federal Controlled Substances Act if
1024
+ the covered person is convicted in such case.
1025
+
1026
+ A200TX(03) 12-23 Page 2 of 4
1027
+ PAGE 16
1028
+ USAA 00872 11 26 7107
1029
+
1030
+ Exclusion A.7. is deleted in its entirety and replaced by the following:
1031
+ 7. Maintaining or using any vehicle while that person is employed or otherwise engaged in any
1032
+ business or occupation other than the auto business, farming or ranching. This exclusion (A.7.)
1033
+ does not apply:
1034
+
1035
+ a. To the maintenance or use of a private passenger auto; a pickup or van owned by you or a
1036
+ family member; or a trailer used with these vehicles;
1037
+
1038
+ b. To the maintenance or use of a pickup or van not owned by you or a family member if
1039
+ the vehicle’s owner has valid and collectible primary liability insurance or self-insurance in
1040
+ force at the time of the accident; or
1041
+
1042
+ c. To maintenance or use of a temporary vehicle.
1043
+
1044
+ Exclusion C.1. is added:
1045
+
1046
+ 1. This exclusion does not apply to a temporary vehicle.
1047
+ OTHER INSURANCE
1048
+ The Other Insurance section is deleted in its entirety and replaced with the following:
1049
+ If there is other applicable liability insurance:
1050
+ 1. Any insurance we provide to a covered person shall be excess over:
1051
+
1052
+ a. Any other applicable liability insurance, or
1053
+
1054
+ b. Any qualified self-insurance or other permissible means of compliance with a state's financial
1055
+ responsibility law, compulsory liability law, or any similar law.
1056
+
1057
+ 2. We will pay only our share of the loss that must be paid under insurance providing coverage on an
1058
+
1059
+ excess basis. Our share is the proportion that our limit of liability bears to the total of all applicable
1060
+ limits of liability for coverage provided on an excess basis.
1061
+
1062
+ 3. However, Our coverage under this Part will be primary for a temporary vehicle, but only if the
1063
+ temporary vehicle is:
1064
+
1065
+ a. A private passenger auto; or
1066
+
1067
+ b. A pickup, utility vehicle, or van with a gross vehicle weight of 14,000 pounds or less that is
1068
+ not used for the delivery or transportation of goods, materials, or supplies, other than samples,
1069
+ unless:
1070
+
1071
+ (i) The delivery of the goods, materials, or supplies is not the primary use for which the
1072
+ temporary vehicle is employed; or
1073
+
1074
+ (i) The temporary vehicle is used for farming or ranching.
1075
+
1076
+ A200TX(03) 12-23 Page 3 of 4
1077
+ PAGE 17
1078
+ USAA 00872 11 26 7107
1079
+
1080
+ PART E - GENERAL PROVISIONS
1081
+
1082
+ DUTIES AFTER AN ACCIDENT OR LOSS
1083
+
1084
+ B.3.b. is deleted and replaced by the following:
1085
+
1086
+ b. To examination under oath. The examination must be signed. A minor must have a parent or
1087
+ guardian present.
1088
+
1089
+ LEGAL ACTION AGAINST US
1090
+ C. is deleted in its entirety and replaced by the following:
1091
+ C. Under Part C — UM/UIM Coverage:
1092
+
1093
+ No action can be brought against us for any claim involving an uninsured motor vehicle unless
1094
+ the action is brought within at least two years and one day from the date the cause of action
1095
+ first accrues.
1096
+
1097
+ TERMINATION
1098
+ B.1. is deleted and replaced by the following:
1099
+
1100
+ 1. If we decide not to renew this policy, we will send notice to the named insured shown on the
1101
+ Declarations. This cancellation notice may be delivered to the named insured, mailed by postal
1102
+ mail to the most recent address you provided to us or sent electronically if we have your
1103
+ consent and agreement on file to receive documents electronically. In any event, notice will be
1104
+ sent at least 60 days before the end of the policy period.
1105
+
1106
+ E. is added:
1107
+ E. Nonrenewal for Failure to Cooperate.
1108
+
1109
+ 1. We will notify you if any insured fails or refuses to cooperate with us in the investigation,
1110
+ settlement, or defense of a third-party liability claim or action or if we are unable to contact
1111
+ the insured.
1112
+
1113
+ 2. After we notify you, if the insured continues to fail or refuse to cooperate in the third-party
1114
+ liability claim, then we will not renew this policy at the end of the policy period We will not
1115
+ renew this policy regardless of other required notices and even if it is not your policy's
1116
+ anniversary.
1117
+
1118
+ Copyright, USAA 2023, All rights reserved.
1119
+
1120
+ A200TX(03) 12-23 Page 4 of 4
1121
+ USAA 00872 11 26
1122
+
1123
+ Tarjeta de Seguro de
1124
+ Responsabilidad de Texas
1125
+ Guarde esta tarjeta.
1126
+
1127
+ IMPORTANTE: Esta tarjeta o una copia de su poliza de seguro debe ser mostrada cuando usted
1128
+ solicite o renueve su:
1129
+
1130
+ registro de vehiculo de motor
1131
+ licencia para conducir
1132
+ etiqueta de inspeccion de seguridad para su vehiculo.
1133
+
1134
+ Puede que usted tenga también que mostrar esta tarjeta o su poliza de seguro si tiene un
1135
+ accidente o si un oficial de la paz se la pide.
1136
+
1137
+ Todos los conductores en Texas deben de tener seguro de responsabilidad para sus vehiculos, o
1138
+ de otra manera llenar los requisitos legales de responsabilidad civil. Fallo en llenar este requisito
1139
+ pudiera resultar en multas de hasta $1,000, suspension de su licencia para conducir y su registro
1140
+ de vehiculo de motor, y la retencién de su vehiculo por un periodo de hasta 180 dias (a un costo
1141
+ de $15 por dia).
1142
+
1143
+ IMPORTANTE: Si usted quiere una tarjeta oficial escrita en espafol, llame a este numero:
1144
+ 1-800-531-8111
1145
+
1146
+ 40TX(01) Rev. 12-98
1147
+
1148
+ PAGE
1149
+ 7107
1150
+
1151
+ 18
1152
+ PAGE 19
1153
+ USAA 00872 11 26 7107
1154
+
1155
+ Uninsured Motorists/Underinsured Motorists Coverage in Texas
1156
+
1157
+ Below, you will find a brief explanation of Uninsured Motorists/Underinsured Motorists and Uninsured
1158
+ Motorists Property Damage coverages. Please remember that this explanation is only an overview, and
1159
+ it does not replace or supplement any of the provisions of your policy. Please see your policy for
1160
+ details because the policy controls all issues of coverage.
1161
+
1162
+ The decisions you make regarding the amount of coverage will affect your insurance premium. If you
1163
+ have questions, please contact Policy Service by calling 210-531-USAA (8722), our mobile shortcut
1164
+ #8722 or 800-531-8722. You may complete this form online at usaacom.
1165
+
1166
+ Coverage Description
1167
+ Uninsured Motorists/Underinsured Motorists (UM/UIM) Coverage:
1168
+
1169
+ * Protects you and your family if injured in a motor vehicle accident caused by an uninsured,
1170
+ underinsured, or hit-and-run motorist who is at—fault.
1171
+
1172
+ e Pays if you or your family are injured by an at—fault motorist whose Bodily Injury (Bl) Liability limits
1173
+ are less than the amount of damages you are legally entitled to recover from the at—fault motorist.
1174
+ The at—fault motorist’s policy pays its BI Liability limits first, then your UM/UIM Coverage pays the
1175
+ lesser of:
1176
+
1177
+ * any remaining loss, or
1178
+ * your UM Coverage limits.
1179
+
1180
+ e Must be issued with UM/UIM Coverage limits equal to the minimum coverage limits required by
1181
+ Texas unless you reject UM/UIM Coverage or select higher UM/UIM Coverage limits by completing,
1182
+ signing, and returning the Rejection/Selection Form by mail or at usaa.com.
1183
+
1184
+ * Your rejection of UM/UIM Coverage will remain in effect on this policy and on future renewals
1185
+ until you request otherwise in writing.
1186
+
1187
+ Uninsured Motorists Property Damage (UMPD) Coverage:
1188
+
1189
+ ¢ UMPD cannot be carried without UM/UIM; however, you can carry UM/UIM without UMPD by
1190
+ rejecting just the UMPD Coverage.
1191
+
1192
+ e Pays for damage to your vehicle that you are legally entitled to recover from an at-fault uninsured
1193
+ or underinsured motorist or hit-and-run motor vehicle because of property damage (including loss
1194
+ of use and your personal property inside the vehicle) sustained in an auto accident. The at-—fault
1195
+ underinsured motorist’s policy pays its PD Liability limits first, then your UMPD coverage pays the
1196
+ lesser of:
1197
+
1198
+ * any remaining loss, or
1199
+ ¢ your UMPD limits.
1200
+
1201
+ e Must be issued with UMPD Coverage limits equal to the minimum coverage limits required by Texas
1202
+ unless you reject UMPD Coverage or select higher UMPD Coverage limits by completing, signing,
1203
+ and returning the Rejection/Selection Form by mail or at usaa.com.
1204
+
1205
+ * Your rejection of UMPD Coverage will remain in effect on this policy and on future renewals until
1206
+ you request otherwise in writing.
1207
+
1208
+ * Vehicle damage is subject to a $250 deductible.
1209
+
1210
+ 52080-0816
1211
+
1212
+ 999TX(33) Rev. 11-16 Page 1 of 4
1213
+
1214
+ PS .008721126.999TX.07107
1215
+
1216
+ PAGE 20
1217
+ USAA 00872 11 26 7107
1218
+
1219
+ THIS PAGE INTENTIONALLY LEFT BLANK
1220
+
1221
+ 999TX(33) Rev. 11-16
1222
+ PS .008721126.999TX.07107
1223
+
1224
+ Page 2 of 4
1225
+
1226
+ PAGE 21
1227
+ USAA 00872 11 26 7107
1228
+
1229
+ If you do not wish to make any changes to your current policy, no action is required. TO
1230
+ MAKE CHANGES TO YOUR POLICY, PLEASE COMPLETE THIS FORM, SIGN, AND RETURN IT TO US. The
1231
+ premiums below reflect the total premium for this coverage for all vehicles insured on this Policy.
1232
+
1233
+ Rejection/Selection Form
1234
+
1235
+ Uninsured/Underinsured Motorists Coverage (UM/UIM)
1236
+ And Uninsured Motorists Property Damage Coverage (UMPD)
1237
+
1238
+ Semi-annual premium per policy
1239
+
1240
+ | want the UM/UIM and UMPD limits checked below:
1241
+ UM/UIM Premium UMPD Premium
1242
+
1243
+ CL] § 30,000/$ 60,000 $ 92.23 CL] § 25,000 $ 109.54
1244
+ CL] $s 50,000/$ 100,000 $ 137.43 [] $s 50,000 $ 138.03
1245
+ CL] $ 100,000/s 200,000 $ 200.14 [1] $100,000 $ 161.01
1246
+ [1] $ 100,000/$ 300,000 $ 229.66 [] $300,000 § 186.22
1247
+ LJ $ 300,000/$ 500,000 $ 320.97 [] $500,000 §$ 198.26
1248
+ L] $ 500,000/s 500,000 $ 346.80
1249
+
1250
+ [1 $ 500,000/s1,000,000—s $ 364.32
1251
+
1252
+ L] $1,000,000/$ 1,000,000 $ 407.66
1253
+
1254
+ L] | reject both UM/UIM Coverage and UMPD Coverage for this policy and all subsequent
1255
+
1256
+ renewals until | request otherwise in writing.
1257
+ LJ | reject only UMPD Coverage for this policy and all subsequent renewals until | request
1258
+
1259
+ otherwise in writing.
1260
+
1261
+ DO NOT SIGN UNTIL YOU READ
1262
+ USAA Number
1263
+
1264
+ Signature of Named Insured
1265
+
1266
+ ( ) ( )
1267
+ Home Phone Alternate Phone Date
1268
+
1269
+ Please complete this form and fax it to 1-800-531-8877 or mail it to USAA, 9800 Fredericksburg
1270
+ Road, San Antonio, Texas 78288; or complete this form on usaacom.
1271
+
1272
+ If this form is sent by facsimile machine (fax), the sender adopts the document USAA receives as a
1273
+ duplicate original and adopts the signature the receiving fax machine produces as the sender's original
1274
+ signature.
1275
+
1276
+ 999TX(33) Rev. 11-16 Page 3 of 4
1277
+
1278
+ PS .008721126.999TX.07107
1279
+
1280
+ PAGE 22
1281
+ USAA 00872 11 26 7107
1282
+
1283
+ THIS PAGE INTENTIONALLY LEFT BLANK
1284
+
1285
+ 999TX(33) Rev. 11-16
1286
+ PS .008721126.999TX.07107
1287
+
1288
+ Page 4 of 4
1289
+
1290
+ PAGE 23
1291
+ 00872 11 26 7107
1292
+
1293
+ Use of Credit Information Disclosure
1294
+ Form CD-1
1295
+
1296
+ Insurer's Name United Services Automobile Association
1297
+
1298
+ SAN ANTONIO, TX 78288
1299
+
1300
+ Telephone Number (toll free if available) 1-800-531-USAA (8722
1301
+
1302
+ WeL] will} will not (choose one) obtain and use credit information on you or any other
1303
+ member(s) of your household as a part of the insurance credit scoring process.
1304
+
1305
+ If you have questions regarding this disclosure, contact the insurer at the above address
1306
+ or phone number. For information or other questions, contact the Texas Department of
1307
+ Insurance at 1-800-578-4677 or P.O. Box 12030, MC - PC-PCL, Austin, Texas 78711-2030.
1308
+
1309
+ Section 559.053 of the Texas Insurance Code requires an insurer or its agents to disclose to its
1310
+ customers whether credit information will be obtained on the applicant or insured or on any other
1311
+ member(s) of the applicant's or insured’s household and used as part of the insurance credit scoring
1312
+ process.
1313
+
1314
+ If credit information is obtained or used on the applicant or insured, or on any member of the
1315
+ applicant's or insured’s household, the insurer shall disclose to the applicant the name of each person
1316
+ on whom credit information was obtained or used and how each person's credit information was used
1317
+ to underwrite or rate the policy. An insurer may provide this information with this disclosure or in a
1318
+ separate notice.
1319
+
1320
+ Adverse effect means an action taken by an insurer in connection with the underwriting of insurance
1321
+ for a consumer that results in the denial of coverage, the cancellation or nonrenewal of coverage, or
1322
+ the offer to and acceptance by a consumer of a policy form, premium rate, or deductible other than
1323
+ the policy form, premium rate, or deductible for which the consumer specifically applied.
1324
+
1325
+ Credit information is any credit related information derived from a credit report itself or provided in
1326
+ an application for personal insurance. The term does not include information that is not credit-related,
1327
+ regardless of whether the information is contained in a credit report or in an application for insurance
1328
+ coverage or is used to compute a credit score.
1329
+
1330
+ Credit score or insurance score is a number or rating derived from a mathematical formula, computer
1331
+ application, model, or other process that is based on credit information and used to predict the future
1332
+ insurance loss exposure of a consumer.
1333
+
1334
+ Summary of consumer protections in Chapter 559
1335
+ Prohibited use of credit information. An insurer may not:
1336
+
1337
+ (1) Use a credit score that is computed using factors that constitute unfair discrimination;
1338
+
1339
+ (2) Deny, cancel, or nonrenewal a policy of personal insurance solely on the basis of
1340
+ creditinformation without consideration of any other applicable underwriting factor independent
1341
+ of credit information; or
1342
+
1343
+ 507421-0823
1344
+ CDTXAN(01) 08-23 Page 1 of 3
1345
+ PAGE 24
1346
+ USAA 00872 11 26 7107
1347
+
1348
+ (3) Take an action that results in an adverse effect against a consumer because the consumerdoes
1349
+ not have a credit card account without consideration of any other applicable factor independent
1350
+ of credit information.
1351
+
1352
+ An insurer may not consider an absence of credit information or an inability to determine credit
1353
+ information for an applicant for insurance coverage or insured as a factor in underwriting or rating an
1354
+ insurance policy unless the insurer:
1355
+
1356
+ (1) Has statistical, actuarial, or reasonable underwriting information that: (A) is reasonably related to
1357
+ actual or anticipated loss experience; and (B) shows that the absence of credit information
1358
+ could result in actual or anticipated loss differences;
1359
+
1360
+ (2) Treats the consumer as if the applicant for insurance coverage or insured had neutral credit
1361
+ information, as defined by the insurer; or
1362
+
1363
+ (3) Excludes the use of credit information as a factor in underwriting and uses only other
1364
+ underwriting criteria
1365
+
1366
+ Negative factors. An insurer may not use any of the following as a negative factor in any credit
1367
+ scoring methodology or in reviewing credit information to underwrite or rate a policy of personal
1368
+ insurance:
1369
+
1370
+ (1) A credit inquiry that is not initiated by the consumer;
1371
+ (2) An inquiry relating to insurance coverage, if so identified on a consumer's credit report; or
1372
+
1373
+ (3) A collection account with a medical industry code, if so identified on the consumer’s credit
1374
+ report.
1375
+
1376
+ Multiple lender inquiries made within 30 days of a prior inquiry, if coded by the consumer reporting
1377
+ agency on the consumer's credit report as from the home mortgage or motor vehicle lending industry,
1378
+ shall be considered by an insurer as only one inquiry.
1379
+
1380
+ Effect of extraordinary events. An insurer shall, on written request from an applicant for insurance
1381
+ coverage or an insured, provide reasonable exceptions to the insurer's rates, rating classifications, or
1382
+ underwriting rules for a consumer whose credit information has been directly influenced by a
1383
+ catastrophic illness or injury, by the death of a spouse, child, or parent, by temporary loss of
1384
+ employment, by divorce, or by identity theft. In such a case, the insurer may consider only credit
1385
+ information not affected by the event or shall assign a neutral credit score.
1386
+
1387
+ An insurer may require reasonable written and independently verifiable documentation of the event and
1388
+ the effect of the event on the person's credit before granting an exception. An insurer is not required
1389
+ to consider repeated events or events the insurer reconsidered previously as an extraordinary event.
1390
+
1391
+ An insurer may also consider granting an exception to an applicant for insurance coverage or an
1392
+ insured for an extraordinary event not listed in this section. An insurer is not out of compliance with
1393
+ any law or rule relating to underwriting, rating, or rate filing as a result of granting an exception under
1394
+ this article.
1395
+
1396
+ Notice of action resulting in adverse effect. If an insurer takes an action resulting in an adverse
1397
+ effect with respect to an applicant for insurance coverage or insured based in whole or in part on
1398
+ information contained in a credit report, the insurer must provide to the applicant or insured within 30
1399
+ days certain information regarding how an applicant or insured may verify and dispute information
1400
+ contained in a credit report.
1401
+
1402
+ CDTXAN(01) 08-23 Page 2 of 3
1403
+ LAST PAGE 25
1404
+ USAA 00872 11 26 7107
1405
+
1406
+ Dispute resolution; error correction. If it is determined through the dispute resolution process
1407
+ established under Section 61 1(a)(5), Fair Credit Reporting Act (15 U.S.C. Section 16811), as amended,
1408
+ that the credit information of a current insured was inaccurate or incomplete or could not be verified
1409
+ and the insurer receives notice of that determination from the consumer reporting agency or from the
1410
+ insured, the insurer shall re-underwrite and re-rate the insured not later than the 30th day after the
1411
+ date of receipt of the notice.
1412
+
1413
+ After re-underwriting or re-rating the insured, the insurer shall make any adjustments necessary within
1414
+ 30 days, consistent with the insurer's underwriting and rating guidelines. If an insurer determines that
1415
+ the insured has overpaid premium, the insurer shall credit the amount of overpayment. The insurer
1416
+ shall compute the overpayment back to the shorter of the last 12 months of coverage; or the actual
1417
+ policy period.
1418
+
1419
+ CDTXAN(01) 08-23 Page 3 of 3
utilities/data/txt/usaa-orig.txt ADDED
@@ -0,0 +1 @@
 
 
1
+ SERVICE. THEN, NOW AND ALWAYS. 2022 ANNUAL REPORT TO MEMBERSSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 2 WHATS INSIDE 05 Introduction 07 Being There When It 9 Empowering Financial Security 13 Protecting Your Valuables 15 Exceptional Service Starts Matters Most with Our Employees 17 Supporting Military Members, 20 Honoring and Advocating 23 Enduring Service 25 Financials Families and Our Communities for Those Who ServeSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 3 A MESSAGE FROM OUR CHAIRMAN I t has been a great privilege to serve our country during a continually focus on highly competitive products, exceptional service 34-year career with the Navy and for the past 10 years as a and trusted advice. member of USAAs Board of Directors. Its gratifying to be a part The team is constantly innovating to better serve a special membership. of this association, knowing that it exists to empower the financial Just last year, they provided ways for you to save money and plan by security of military families whenever and wherever help is needed. dropping some banking fees, by delivering more flexible auto insurance The roles of the Chairman and the Board are to ensure that USAA is options, and by offering tools to help you protect your home and well-managed, through any storm. We work with a mission-motivated prepare for retirement. and highly talented management team to maintain financial strength Thank you for your membership, for your ongoing commitment to USAA through every challenge including the inflationary environment and for your familys legacy of service. that has tested many service members families. But because of long-term management that plans for generations, USAAs financial strength persists beyond catastrophes, business cycles or economic disruptions. Celebrating USAAs centennial in 2022 the milestone of 100 years JAMES M. ZORTMAN in business has been exciting and a reminder that we need to be Vice Admiral, USN (Ret.) here for the next 100. As the company now looks ahead, the team will Chairman, USAA Board of Directors THE TEAM IS CONSTANTLY INNOVATING TO BETTER SERVE A SPECIAL MEMBERSHIP. JUST LAST YEAR, THEY PROVIDED WAYS FOR YOU TO SAVE MONEY AND PLAN BY DROPPING SOME BANKING FEES, BY DELIVERING MORE FLEXIBLE AUTO INSURANCE OPTIONS, AND BY OFFERING TOOLS TO HELP YOU PROTECT YOUR HOME AND PREPARE FOR RETIREMENT. JAMES M. ZORTMAN Vice Admiral, USN (Ret.) Chairman, USAA Board of DirectorsSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 4 A MESSAGE FROM OUR CEO I n 2022, USAA celebrated 100 years as a member-owned levels not seen in 40 years. These same factors are driving prices association. From the very beginning, your association has touted up at the grocery store, the pump and every other facet of your life. Service to the Services. Its a point of pride that we place special We recognize the stress on family budgets, and we dont take lightly focus on Service. Then, Now and Always. Thats also true in our the decision to raise rates. Were doing everything we can to help devotion to those who put on the uniform to defend our freedoms and reduce the impact on your budget. USAA also has tools to help you in our commitment to serve military families like no other company. manage some of these costs, such as reviewing the many auto insurance options that help you save money. And for homeowners, we offer During 2022, we continued to enhance the benefits of membership wildfire and water-leak protection to help you identify potential losses through changes such as launching an easier-to-use mobile app, before they happen. introducing new USAA Perks, and dropping USAA ATM and non-sufficient fund fees. And when bad weather hit, as with Hurricane Ian and the USAAs team and our members enjoy a shared sense of belonging, an many other storms, we were there helping you put the pieces back esprit de corps borne from our founding principles. Through the years, together. Our Survivor Relations Team stood tall supporting the many the interactions between our members and teammates have displayed families who lost a loved one. In addition to providing value every day, a special bond that lives on today. We look out for each other. we returned nearly $2 billion to members in 2022 through dividends, USAA and our 37,000 employees especially appreciate your loyalty distributions, and Bank rebates and rewards. and trust. Your commitment, year after year, is one of the things that As we looked back on our first century, we celebrated the legacy created makes us strong after a century in business and why were confident by generations of members and USAA employees. We look forward to in our future. Thats a major reason we will always remember our how we build on that legacy to ensure USAA will be there for you, your roots in service. family and the generations of new members to come. Its foundational to This year will mark 35 years of my service to USAA, and I remain our stewardship to manage prudently for the long term, so we can committed to serving you well every day while we future-proof your respond when you need us through every stage of life. Weve been here association to continue serving for future generations. I value your since before the Great Depression and after the Great Financial Crisis feedback and want to hear about your experiences with us. Thank you and through marriages, children, car and home purchases, storms and for your familys service to our country and for making USAA such an retirement planning. And were investing wisely to ensure we continue important part of your life. to provide competitive products and exceptional service. Coming out of the pandemic, the perfect storm of inflation, rising interest rates, supply chain disruption, labor shortage and intense weather led to a very challenging year for the association in 2022. WAYNE PEACOCK This resulted in negative earnings for the year, but Im proud to report President and WAYNE PEACOCK that in spite of that we maintained our very strong net worth. For auto Chief Executive Officer President and Chief Executive Officer and homeowners policyholders, youve seen rates climb this year atSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 5 INTRODUCTION: A CENTURY OF SERVICESERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 6 I n 1922, a group of Army officers joined together to insure direct impact on the insurance industry seen most predominantly each others vehicles when no other companies would. One through rate increases, including at USAA. hundred years later, our 37,000 employees work every day to Like many other companies, all of these factors led to financial serve more than 13 million members who span the entire military headwinds for USAA that resulted in our first loss since 1923. community from active duty to veterans to spouses and children. We remain one of the countrys only member-focused organizations Due to these factors, our members have begun to see their premiums providing a wide range of financial services. rise. We always are mindful when making decisions that could impact our members and will not raise rates more than necessary. We work Throughout 2022, we celebrated our centennial year while remaining to offset any increases by reducing operating expenses, reprioritizing focused on being there when our members needed us the most. As we initiatives and becoming more efficient in our business practices. Most head into our second century, we are committed to evolving and importantly, we are focused on maintaining our financial strength and changing to meet our members needs. exceptional member service. Responding to a Challenging Year We regularly work with our members to review their products and services as they go through life. And were focused on delivering value While USAA had many achievements in 2022, the year also brought by helping members save money, whether its through our USAA many challenges for members and our association. More drivers were SafePilot program and pay as you drive auto insurance product that on the road post-pandemic, leading to an increase in accidents. And may provide lower rates or by our bank eliminating out-of-network Mother Nature continued to impact communities across the country ATM fees. with storms, wildfires and other natural disasters. For 100 years and counting, USAA has cared for military families with Concurrently, inflation hit a 40-year high and macroeconomic one goal in mind: to empower them to be financially secure through conditions such as supply chain disruptions and rising labor costs competitive products, services and advice. We are committed to drove up the cost of supplies, goods and services. The cost to repair excellence through Service. Then, Now and Always. and replace cars and houses outpaced the rate of inflation and had a THROUGHOUT 2022, WE CELEBRATED OUR CENTENNIAL YEAR WHILE REMAINING FOCUSED ON BEING THERE WHEN OUR MEMBERS NEEDED US THE MOST. AS WE HEAD INTO OUR SECOND CENTURY, WE ARE COMMITTED TO EVOLVING AND CHANGING TO MEET OUR MEMBERS NEEDS.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 7 BEING THERE WHEN IT MATTERS MOSTSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 8 U SAA has a history of standing tall during challenging times. One of the biggest weather events of the year, Hurricane Ian, left a SERVICE IN ACTION Our dedicated catastrophe team is on the front lines of destructive path across Florida and the Southeast coast. It can take caring for our members during natural disasters, providing years to tally the final cost of a catastrophe, but the industrys initial help and empathy. USAA is often the first and sometimes the estimates for Hurricane Ian range from $20 billion to $47 billion in When Brandon Glover, a senior property adjuster, helped only insurance carrier onsite and often the last to leave. We know losses. It is likely the costliest natural disaster in Florida history and a 92-year-old member, Ms. Vickie Dee North, impacted by speed and service matter to our members. These actions, along with one of USAAs costliest catastrophes. Hurricane Ian, he didnt stop at handling her claim. After our use of cutting-edge technology, expedite the claims process so inspecting her home, which did not suffer serious damages, When Ian hit, USAAs Disaster Innovation Response Team was there members can get back on their feet faster. he had what he needed to process the claim quickly but with leading-edge drone technology to help Florida assess took time getting to know the member through a shared Last year, there were more than 60 weather-related catastrophes an infrastructure damage quickly and safely. Like our teams, our drones love of poetry. average of one every six days. USAA paid nearly $2.5 billion in catastrophe go to the hardest-hit areas to speed the path to recovery. claim losses, helping members get on the road to recovery quickly. Glover walked away with a new friend and a cherished memory. Its a reminder to us all that we can come together and find common ground no matter how different we think we are, Glover said. SERVICE IN ACTION When Navy Petty Officer Ryan Dekorte died during a training exercise, his mother, Brook Knowlton, a longtime member, needed help managing the overwhelming task of navigating her sons estate and settling his accounts. Thats when USAAs Survivor Relations Team stepped in. USAAs new case management approach gave Knowlton a single point of contact who facilitated her sons account settlement. The case manager also recommended additional resources, including probate process information, since her son didnt have a will. With USAA, Knowlton had someone to walk beside her through the process and comfort her as she grieved. SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 9 EMPOWERING FINANCIAL SECURITYSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 10 S ince our founding in 1922, USAA has focused on meeting smartphone sensors within the app to detect a collision and members needs through every stage of life from joining the prompts the member to verify if an accident has occurred. Once military to buying a home to retiring. We understand that verified, the app offers immediate assistance, including the ability to managing finances can be complicated and the economic challenges of dial 911 directly from the app, safety guidance for handling the accident last year impacted the price of everything, including insurance. Our scene, and the option to start filing a claim. Since its launch, this claim mission is to empower our members to achieve financial security and experience has contacted members more than 90,000 times after it starts with finding ways to offer discounts and making it easier to do detecting collisions. business with us. Last year, USAA also launched its new usage-based or pay as you drive insurance the less our members drive, the more they can save. Safe driving, lower rates This insurance product can offer a lower premium, along with a mileage Last year, USAA launched and expanded industry-leading services variable, by combining usage and behavioral factors to create pay-as- and products to help keep our members safe on the road while saving you-drive personalized pricing and opportunity for savings and rewards.3 them money. USAA is now providing members with more choices and This is important for USAAs service members who are highly mobile and peace of mind while helping to offset rate increases driven by insurance frequently deployed. In 2022, members with this policy saved an industry trends. average of nearly $85 per month or more than $1,000 annually. USAAs SafePilot1 program offers two huge benefits: lower rates for safe Eliminating fees driving and immediate assistance if an accident happens. Using smartphone GPS and built-in sensors, the technology logs trips and Empowering our members to be financially secure is at the heart of other data to calculate a driving score that can lead to the discounts. what we do which includes finding ways to save them money. Now available in 47 states and Washington, D.C., the program offers In 2022, USAA eliminated bank out-of-network ATM fees, helping more enrolled members a discount of up to 30%2 for safe driving behaviors. than 9 million members save money and allowing them the freedom to In addition to discounted rates for safe-driving, USAA was one of use any ATM in the U.S. without incurring a USAA fee. Members also now the first auto insurance carriers to implement a groundbreaking crash have access to one of the largest surcharge-free ATM networks in the detection technology through the SafePilot app. The technology uses country, enabling cash withdrawals without any ATM surcharges at more IN 2022, USAA ELIMINATED OUT-OF-NETWORK ATM FEES, HELPING MORE THAN 9 MILLION MEMBERS SAVE MONEY AND ALLOWING THEM THE FREEDOM TO USE ANY ATM IN THE U.S. WITHOUT INCURRING A USAA FEE. Visa is a registered trademark of Visa International Service Association and used under license.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 11 than 100,000 locations nationwide.4 We continue to work on expanding Were also making it easier and quicker for members to apply for a our network of ATMs that accept cash deposits. mortgage product while using their mobile devices. Members soon will be able to upload loan documents, get real-time updates, and better As another way to empower our members financially, we eliminated track the overall progress of their loan, all through USAAs mobile app. non-sufficient funds (NSF) fees to better support our members when funds are low. Helping you in retirement Banking to keep you on track USAAs Retirement Income Strategy tool helps members prepare for a comfortable retirement by establishing goals and priorities. It also allows Another key component of helping our members be financially secure our specialists to have high-quality conversations with members on the is to assist them with tackling debt, especially for those living paycheck right retirement strategies to meet their needs. to paycheck. In late 2022, USAA Life partnered with Humana Inc., to launch a new Its tough to face debt or have a conversation about a missed or late co-branded Medicare Advantage Plan. The Humana USAA Honor Plan payment. In 2022, USAA built new digital tools to notify members and with Rx complements benefits that veterans receive through the make it easier for them to self-serve payments to prevent them from Department of Veterans Affairs and allows greater flexibility on when falling behind. Through notifications, members can get customized and where veterans receive care and fill prescriptions. The plan is currently alerts, see available payment options and find advice to help them get offered in eight states and is available to anyone eligible for Medicare. back on track. Fraud Protection We also launched a new secured credit card to help members build or rebuild their credit history. This new card helps newly enlisted and Destruction doesnt just come from natural disasters, increasingly it younger members start building credit responsibly. comes from cyber criminals. Our teams and systems work around the A better home buying experience SERVICE IN ACTION Buying a home is one of the biggest purchases people make in their lifetime, and USAA is there from the start. Last year, we rolled out Retirement Income Specialist Tony Garcia received a call HomeReady5 across the country. The program offers purchase and from a member, Julie Finlay, who retired early during refinance loans to put home ownership within reach for those who may 2022s market downturn. Naturally, she was concerned make less than their areas median income. about investment losses and making her savings last. We continue to offer a wide range of mortgage products to provide Using the tool, Tony helped Julie consider and implement flexibility for finding the right home and using the right mortgage strategies that will provide guaranteed lifetime income and product, especially for military families. This includes VA loans with no minimize the market exposure risk, allowing her to live her origination, application or underwriting fees. life comfortably during retirement.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 12 clock to stop cybercriminal activity and stay one step ahead of the Last year, we provided free access to direct deposited paychecks up to SERVICE IN ACTION next major threat. In 2022, USAA shut down more than 1,500 phishing two days faster.6 In addition, the new Eagle debit and credit cards sites targeting members and blocked more than 7.5 billion cyber-attacks include the tap to pay feature, and members can add the cards to their or information-gathering attempts. digital wallets, making it more convenient to pay using a smart watch or We know the best way to help our members prevent fraud mobile device. is by being vigilant. However, scammers can still manage to We have enhanced protection measures to make it easier for members break into personal accounts. For one member family, a joyful to stay vigilant through account alerts that flag suspicious activity and In todays digital age, most members rely on our mobile app to quickly occasion the closing on a new home quickly turned into through multifactor authentication, which strengthens logon security. access USAAs services. Last year, we launched an updated USAA mobile a nightmare. Using these tools can help deter fraudsters and keep our members safe. app to provide a more personalized, efficient and responsive experience. As the Cotton family went to sign the final documents, The apps technology upgrades make it easier, quicker and safer for Improving the ease of doing business they realized theyd been hit by a sophisticated phishing members to check their bank balance, move money, get alerts and to scam in which the scammer pretended to be a broker and Our members are busy and oftentimes separated from their families find what they need quickly. In addition, the app can customize stole $75,000. When criminals target wire transfers, it can be or in remote locations around the globe. We work to make things notifications for some upcoming bills and provide proactive, relevant difficult to get the money back. But luckily, Laura Barrett, a simple and convenient to make life easier. life-event advice. director of real estate fulfillment, was on the case. He was in shock, and I would have been in shock, too, Barrett said of the husband who made the initial call. The Cotton family couldnt move forward with buying the home because of the loss of their down payment and closing costs. By working diligently with the external bank that fraudulently received the wired funds, Barrett and a team that included Shawn Chavez, business risk and controls fraud advisor, were able to recover the money. For Barrett and Chavez, the story was a strong reminder of how USAA is there when things go wrong. There were so many employees who contributed to the success of this recovery, Chavez said. It shows that we are here to do the right thing for our members. In this case, it was about so much more than money, it was about their livelihood.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 13 PROTECTING YOUR VALUABLESSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 14 A s weve done throughout our 100-year history, USAA continues USAAs wildfire response program provides a free service to assist if a to innovate and evolve our products and services to help members home is being threatened by an active wildfire. USAA teams protect our members most valuable items. up with wildfire response services to monitor wildfire activity and take measures that may help protect a members property when a threat is Prevention through detection nearby. Certified wildland firefighters go behind the fire lines to assess and minimize risk to a members home before a fire reaches it. Owning a home is a huge commitment, and USAA is there to help members maintain and care for it. In 2022, our property and casualty team (P&C) introduced several innovative ways to protect our members THE PROGRAM IS A FUNDAMENTAL SHIFT biggest asset and save them money. IN HOW USAA THINKS ABOUT HOME USAA now offers the Connected Home Program that incentivizes members to use eligible smart technology devices that can reduce the INSURANCE MOVING FROM A REPAIR chance of theft, fire or water damage. AND REPLACE MINDSET TO EARLY The program is a fundamental shift in how USAA thinks about home DETECTION AND PREVENTION. insurance moving from a repair and replace mindset to early detection and prevention. Participating members receive a discount on their homeowners insurance premium,7 as well as a discount on eligible Since 2017, the wildfire response program has saved nearly 200 properties products. Since its launch, the program has expanded to 45 states and and avoided $180 million in member losses. Equally important, our Washington, D.C. with plans to continue expanding into additional members get peace of mind knowing their properties are protected. markets. Keeping homes safe and secure SERVICE IN ACTION Security is another form of protection for homeowners. Through our The ADT service proved to be a lifesaver for USAA member USAA Perks8 program, members can take advantage of discounts on Lt. Peter Goodman and his family after a fire broke out in the smoke and carbon monoxide detectors, indoor cameras and home middle of the night. ADTs alarm and dispatch team alerted automation to detect and protect their property. USAA Perks also brings the family, waking them up in enough time so they could get together retailers to help save members money on everything from out of danger. By the time the dispatcher reached Goodman, home services to travel. a 16-year member and Navy veteran, she had already Natural disasters remain the biggest threat to property, and wildfires contacted 911 and the fire department was on its way. are more likely in the Western U.S., which has seen a dramatic increase in fires.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 15 EXCEPTIONAL SERVICE STARTS WITH OUR EMPLOYEESSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 16 Taking great care of our members starts with caring for our appreciate the unique challenges of service members and how we employees so they can provide consistent, exceptional service. can best serve them. Nearly 15 years ago, USAA established Zero Day We are focused on attracting and retaining a diverse group of PT, a key element of USAAs military acumen program, to provide employees who understand military life and find their calling at USAA. employees with a glimpse of military life. An all-volunteer veteran One way we do this is through competitive benefits and professional employee cadre takes employees through an intense military acumen career development programs. program that gives them a taste of the first day of basic training. More than 5,600 employees have volunteered to participate in this Veteran and military spouse hiring experience over the years. Hiring military talent is important to us at USAA because no one understands military life better than those with firsthand experience. The military community is innately diverse and our focus on hiring veterans and military spouses enhances the diversity of our workforce. USAAS EXCEPTIONAL EMPLOYEES Nearly 23% of our employees are military spouses or veterans and many are actively involved in VETNet, an employee resource group of military-affiliated employees. Along with USAAs diversity and inclusion ~100 business groups, VETNet ensures that we create an environment of belonging for all who work at USAA. FELLOWS HIRED IN THE PAST FOUR YEARS THROUGH OUR CONNECTION TO THE U.S. We have a host of programs to help attract and retain military CHAMBER OF COMMERCE FOUNDATIONS talent. Our VetsLead program helps veterans make a smooth transition HIRING OUR HEROES INITIATIVE to USAA and the corporate world through mentoring, training and networking. And through our connection to the U.S. Chamber of 23% Commerce Foundations Hiring Our Heroes (HOH) initiative, USAA has been a leader and national role model for best practices in OF OUR EMPLOYEES ARE MILITARY SPOUSES OR building a strong veteran and military spouse workforce. Our HOH VETERANS AND MANY ARE ACTIVELY INVOLVED Fellows program provides opportunities to work at USAA and gain IN VETNET, AN EMPLOYEE RESOURCE GROUP OF professional training, networking and hands-on experience that often MILITARY AFFILIATED EMPLOYEES leads to full-time roles at USAA or other companies. Through this program, USAA has hired nearly 100 Hiring Our Heroes Fellows in the past four years. 5,600+ Our military-focused culture and commitment to military acumen EMPLOYEES HAVE SIGNED UP FOR training for our employees is a critical part of how we serve our ZERO DAY PT, AN INTENSE MILITARY ACUMEN members. Military values and traditions run deep at USAA, and we TRAINING PROGRAM have foundational programs to help employees understand andSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 17 SUPPORTING MILITARY MEMBERS, FAMILIES AND OUR COMMUNITIESSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 18 U SAAs commitment to serve goes beyond the products and The organizations included American Red Cross, Team Rubicon and service we provide. Whether we are volunteering in our U.S. military aid societies, which covered basic needs like food, water communities to support wounded warriors or helping service and shelter and provided emergency financial assistance. OUR IMPACT ON OUR COMMUNITIES members transition to a civilian career, USAA is there to advocate for Amid their own personal challenges in 2022, employees gave back to and support the military community. USAA works to have an impact communities where they live and work. They rose to the challenge of through our goal of giving 1% of our pre-tax income annually and through doing A Million Good Things in their communities, exceeding the goal $47.5 MILLION our corporate and employee donations, outreach and volunteerism. with more than 1.5 million good deeds by years end. DONATED BY USAA, USAA BANK AND THE USAA FOUNDATION, Showing up for our communities INC. WITH A FOCUS ON MILITARY FAMILY RESILIENCE Taking care of military families and veterans As part of giving back to our local communities, USAA continues to look Military Family Resilience is our signature corporate responsibility 300,000+ HOURS for ways to make an impact in the communities where our employees cause and focuses on mental health and wellbeing, economic mobility live and serve by addressing opportunity gaps that lead to inequity. Last VOLUNTEERED BY EMPLOYEES ACCOMPLISHING and support for basic needs. year, we committed our final $20 million to nearly 50 nonprofit organizations 1.5M+ GOOD THINGS as part of a three-year, $50 million commitment to foster diversity, equity The USAA Foundation, Inc.,9 has long supported Vets4Warriors, a and inclusion made in late 2020. The nonprofits are focused on building nonprofit organization based at Rutgers University. Vets4Warriors diverse talent pipelines through education and employment programs. provides confidential and live 24/7 stigma-free and personalized peer 7.8 MILLION support for physical, mental, financial and social issues that veterans, In the wake of Hurricane Ians devastation, USAA also committed PROJECTED LIVES TOUCHED WITH 2022 GRANTS service members and their families or caregivers may be facing. $1.25 million to organizations aiding those impacted by the storm.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 19 We have provided more than $1.6 million in grants since 2016, and our Financial education and training support in 2022 helped more than 7,800 individuals, many of whom were struggling financially and needed access to veteran-specific Helping families become more financially secure extends beyond the resources or help obtaining VA benefits. products and services we provide. In 2022, The USAA Educational Foundation8 provided more than $5 million worth of free educational Supporting career transitions materials to improve financial readiness for the military and local community. As part of our 100th anniversary celebrations, USAA launched a nationwide pitch contest series, From Service to Startup, in collaboration with Bunker Labs, a nonprofit committed to aiding the military WE HAVE PROVIDED MORE THAN $1.6 MILLION IN community in launching startup ventures. We were looking for the GRANTS SINCE 2016, AND OUR SUPPORT IN 2022 next generation of entrepreneurs who could carry that same spirit of HELPED MORE THAN 7,800 INDIVIDUALS, MANY OF service-minded innovation forward, similar to when we were founded WHOM WERE STRUGGLING FINANCIALLY AND NEEDED more than 100 years ago. More than 500 veteran, military spouse or ACCESS TO VETERAN-SPECIFIC RESOURCES OR HELP military-affiliated entrepreneurs submitted their ideas, 43 entrepreneurs OBTAINING VA BENEFITS. pitched in the six regional competitions, and 10 finalists presented at USAAs headquarters. USAA also awarded a $1 million grant to GreenPath Financial Wellness, Clark Yuan, West Point graduate, Army veteran and the founder/CEO of a nonprofit that helps military families improve their financial health and Candelytics, won the $100,000 grand prize to continue to grow his 3D build resiliency. The grant expanded GreenPaths ability to provide free data visualization business. one-on-one financial counseling, financial wellness education and The DAniello Institute for Veterans and Military Families at Syracuse infrastructure tools to enhance access to Black, Indigenous, People of University, another USAA philanthropic grant recipient, provides support Color (BIPOC) households and military families. As a result, more than for Onward to Opportunity (O2O), which provides on-demand, industry- 158,000 lives were impacted and nearly 6,500 families have received validated skills training and employment services to the military- financial counseling sessions, participated in the nonprofits Debt connected community. In 2022, USAAs funding of O2O helped more Management Plan, or received advice and resources to improve their than 1,000 individuals learn new skills and nearly 500 veterans find credit score. meaningful employment. Money Management International, a nonprofit dedicated to financial I would tell everyone for this program to take full advantage of the management and literacy, also worked to increase its impact. Through opportunity, said Viola Fisher, an Army veteran and graduate of O2Os USAAs philanthropic support, the nonprofit provides counseling, Project Management Professional program. It is a great entrance point education and financial assistance for debt and housing issues to military for where you want to be next. families, active duty and retirees.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 20 HONORING AND ADVOCATING FOR THOSE WHO SERVESERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 21 U SAAs Military Affairs team is a vital link between USAA NFL Salute To Service and our members. Composed of retired officers and senior noncommissioned officers, the 55-person-strong team, The NFL has a long history of supporting the military, and USAA is USAA MILITARY AFFAIRS IS which has 1,400 years of combined military experience, advocates proud to have partnered in those efforts since 2011. During the NFL for currently serving, those who have honorably served and season, USAA hosts more than 10,000 military members annually at DEDICATED TO ADVOCATING FOR military families. events including the NFL Draft, training camps and regular season OUR MILITARY COMMUNITY games, as well as the Pro Bowl and Super Bowl. Each Military Affairs team member builds and maintains strategic relationships among USAA, military leaders and military-related In 2022, USAA sponsored seven boot camps with NFL teams across organizations so the association can support the military community the country to give military members a taste of a football training 1,400 YEARS around the globe, including the European and Pacific theaters. The camp and let them interact with NFL players and coaches. During this Military Affairs team also plays a critical role in USAAs military hiring once-in-a-lifetime experience, military members competed in NFL OF COMBINED MILITARY SERVICE efforts, helping to recruit and retain veterans, Reservists, National drills and watched a team practice, after which NFL players met with AMONG THE 55-PERSON TEAM Guardsmen, and military spouses, while also helping military transition the service members and showed their appreciation. to civilian life. In 2022, the team reached more than 13.5 million people with USAAs focus on financial strength, wisdom and shared Fort Innovate 4,300 military values. They held 4,300 virtual and in-person engagements to VIRTUAL AND IN-PERSON Since our beginning 100 years ago, weve been focused on finding promote USAA products and services, and they conducted 204 INFORMATIONAL EVENTS ON new ways to meet our members needs like pioneering toll-free financial readiness training classes addressing every step of a USAA PRODUCTS AND SERVICES calling for members in the U.S. to improving response times and military career. developing mobile deposit technology. 13.5 MILLION PEOPLE REACHED IN 2022 WITH A FOCUS ON USAAS FINANCIAL STRENGTH, MILITARY ACUMEN AND SHARED MILITARY VALUES 204 FINANCIAL READINESS TRAINING CLASSES FOR EVERY STEP OF A MILITARY CAREERSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 22 USAA BROUGHT FORT INNOVATE, A FREE TRAVELING INNOVATION LAB, TO CHILDRENS AND SCIENCE MUSEUMS ACROSS THE NATION LAST SUMMER. To celebrate how far weve come in 100 years and where were going, uniforms, Stenbom spent more than 1,000 hours weaving an American USAA brought Fort Innovate, a free traveling innovation lab, to childrens flag that honors the spirit of service. and science museums across the nation last summer. The goal was to He credits art with helping him deal with post-traumatic stress disorder. inspire the next generation of big thinkers and future innovators and teach visitors about the importance of innovation. The hands-on exhibits Art has given my voice back to me, he said. I know Im showcased five key military innovations from the past 100 years that have making a difference, and that is such a special thing. had a profound impact on society including Silly Putty and night vision. Visitors also learned how USAA has innovated over the past USAA veteran employees donated most of the uniforms from their own century to meet members ever-changing needs. military service, which represented all six military branches and every major conflict dating back to World War I. The flag also includes threads Freedoms Threads from one of Stenboms own uniforms, as well as pieces of his grandfathers uniforms. Commissioned for USAAs 100th anniversary, the Freedoms Threads The art installation was on display at the San Antonio International art installation is the creation of Minnesota artist and Iraq War veteran Airport before moving to its permanent home at USAAs headquarters. Jeffrey Stenbom. Using strips of cloth from 140 different military SERVICE IN ACTION As part of our 100th anniversary celebration, and advocate for his fellow veterans in Florida, but not having a USAA gifted 100 cars to military families in vehicle that could accommodate his wheelchair did. So through need through the National Auto Body Councils the program, USAA gifted the Flores family a truck so they have (NABC) Recycled Rides program. Through the reliable transportation as Flores helps fellow warriors on their unique program, insurers, collision repairers, own journey to recovery. paint suppliers and parts vendors come USAA teams across the association partnered with NFL legend together to repair and donate vehicles to deserving individuals Rob Gronkowski in Tampa to present the keys and good news and service organizations around the country. to Flores as one small way to give back to those who served U.S. Army veteran Jonny Flores is one such recipient. The Purple our country. Heart amputee didnt let his injury stop him from being a leaderSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 23 ENDURING SERVICESERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 24 S erving in the military means being mission ready. For 100 years and counting, USAA has made our members life ready with products and services for every milestone. We have done that by staying focused on serving with excellence, delivering great value and innovating for the future. USAAs creation to serve our military community was inherently innovative. And we advocated for airbags long before the industry saw the need. We also pioneered the technology that enables USAA members to deposit checks on their mobile device. In 2022, we continued our momentum with the development of new products underscored by USAAs rise to the 125th spot on the Patent 300 list by issuing 346 patents in 2022. Today, were focused on making our members experiences even better through our digital channels so that youre never more than two clicks away from the things you do most. And we work hard to keep our members information safe through strong logon security and behind-the-scenes technology that can help thwart cyber-attacks. Our ongoing modernization efforts will enhance our systems and technology to make it easier for members to do business with USAA. We are undergoing significant upgrades to our billing, claims, acquisition and servicing processing systems to create an enhanced experience for our members. As quickly as life changes and technology progresses, our members needs change. We continue to evolve our business, products and services to ensure we are meeting our mission empowering financial security through competitive products, exceptional service and trusted advice. We always will focus on meeting our members needs through excellent Service. Then, Now and Always.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 25 FINANCIALSSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 26 Overview financial information contained in the audited consolidated financial statements fairly represents USAAs financial position, results of 2022 was a challenging year for both USAA and our members. Persistent operations and cash flows. A copy of the complete audited consolidated inflation, continued supply chain and labor disruptions, volatile equity financial statements of USAA, including Ernst & Young LLPs unqualified markets, and rising interest rates created one of the most difficult independent auditors report thereon, is available upon request to operating environments in decades and significantly impacted profitability, USAA headquarters in San Antonio. resulting in our first loss since 1923. Despite these headwinds, we remained USAAs internal controls are designed to reasonably ensure that USAAs focused on maintaining a strong financial foundation, providing assets are safeguarded from unauthorized use or disposition and that exceptional service and delivering financial security for members. USAAs transactions are authorized, executed and recorded properly. In The economic environment had varying impacts across our businesses. addition, USAA has a professional staff of internal auditors who monitor While inflationary and supply chain pressures drove elevated P&C losses these controls on an independent basis. Furthermore, the Audit Committee and investment performance suffered from weak equity markets, the of USAAs Board of Directors engaged Ernst & Young LLP as independent Bank and Life Company benefited from a rising interest rate auditors to audit USAAs financial statements and express an opinion environment, which highlights the value of our diversified business mix. thereon. While Ernst & Young LLPs audit took into consideration USAAs With strategic actions and a solid capital foundation, we maintained our internal controls over financial reporting for purposes of designing audit overall financial strength, which allowed us to continue to meet procedures that support their financial statement audit opinion, Ernst & commitments to our members now and into the future. Young LLP does not express an opinion on the effectiveness of USAAs internal controls over financial reporting. The Audit Committee of Managements Responsibility for USAAs Board of Directors consists of members who are not officers or Financial Reporting employees of USAA. This committee meets periodically with management, internal auditors and Ernst & Young LLP to ensure that USAAs management is responsible for the integrity and objectivity of management fulfills its responsibility for accounting controls and the financial information presented in this annual report. Due to the preparation of the consolidated financial statements and related data. volume of financial information contained in the audited consolidated financial statements, including the accompanying footnotes, we have chosen not to include the full audited consolidated financial statements in this report to members. WAYNE PEACOCK The financial statements that appear in this document have been President and Chief Executive Officer selected from the audited consolidated financial statements to give summary financial information about USAA. For purposes of year-over- year comparisons, certain prior-year amounts were reclassified to conform to the current-year presentation. The selected financial JEFF WALLACE information was prepared by USAA in accordance with generally Chief Financial Officer accepted accounting principles (GAAP). Management believes theSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 27 Consolidated Statements YEARS ENDED DECEMBER 31 (DOLLARS IN MILLIONS) 2020 2021 2022 of Comprehensive Income REVENUES Insurance premiums, net $25,388 $26,323 $28,097 Facing the many economic challenges of 2022, USAA reported a net loss of $1.3 billion. Revenues decreased 3% from the prior-year despite strong Investment returns: product revenue performance across all of our businesses. Investment Interest and dividends earned, net 2,922 3,140 3,985 returns declined 44% driven by the absence of large prior-year investment Gains (losses) on investments, net 633 1,918 (1,157) gains and weak equity market performance as markets continued to be Total investment return 3,555 5,058 2,828 impacted by high inflation and a weakened global economy. Gains on sale of loans, net 726 364 147 Losses, benefits and expenses increased 13% from prior-year. Fees, sales and loan income, net 4,446 3,811 3,911 Non-catastrophe losses continued to rise, reflecting the impact of inflationary increases in claims expenses, consistent with the industry. Real estate operations 373 1,046 463 Proactive expense management helped to partially offset these costs, Other income1 1,808 928 851 even as we continued to invest in modernization and transformation Total revenues 36,296 37,530 36,297 efforts, keeping pace in an evolving competitive landscape. LOSSES, BENEFITS AND EXPENSES Net losses, benefits and settlement expenses 18,831 22,800 27,380 Amortization of deferred policy acquisition costs 746 737 780 Real estate expenses 129 117 56 Interest expense 244 111 205 Dividends to policyholders 1,302 219 144 Other operating expenses2 10,523 9,744 9,485 Total losses, benefits and expenses 31,775 33,728 38,050 Pretax income (loss) 4,521 3,802 (1,753) Income tax expense (benefit) 606 428 (472) Net income (loss) $3,915 $3,374 ($1,281) Less: Net income attributable to noncontrolling interests 8 74 15 NET INCOME (LOSS) ATTRIBUTABLE TO USAA 3,907 3,300 (1,296) Other comprehensive income (loss), net of tax 2,183 (2,558) (10,482) TOTAL COMPREHENSIVE INCOME (LOSS) $6,090 $742 ($11,778) 1Includes various items such as miscellaneous product services and fees and gain on sale. 2Includes various items such as personnel costs, IT costs, loan losses and premium taxes.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 28 Consolidated Balance Sheets YEARS ENDED DECEMBER 31 (DOLLARS IN MILLIONS) 2020 2021 2022 Although our net worth declined 32% year-over-year, USAAs strong and ASSETS resilient balance sheet continued to weather the volatile macroeconomic Cash and cash equivalents $13,555 $13,675 $11,738 environment. The degradation in net worth was attributable to higher Investments 128,324 134,656 118,785 unrealized losses in our available for sale (AFS) investment portfolio, Loans, net 40,601 38,107 40,617 which is the result of lower market valuations due to rising interest rates. It is important to note that this reduction in net worth is temporary, as Premiums due from policyholders 4,898 5,102 5,735 these AFS securities will accrete back to par, with equity being Property, equipment and software, net 1,996 2,112 2,544 replenished, as they approach their maturity date. Reinsurance recoverables 4,289 4,581 4,539 Assets decreased by 3% to $204 billion, driven largely by lower Deposit assets - 6,521 10,285 investment balances from an increase in unrealized losses due to rising Other assets1 6,686 5,923 9,762 interest rates and declines in the equity market. This decline is partially Total assets $200,349 $210,677 $204,005 offset by higher Bank loans and growth in the Annuity business as we LIABILITIES served more members, as well as a higher income tax receivable from unrealized losses in the bond portfolio. Bank deposits $94,179 $104,648 $101,645 Insurance reserves 29,898 32,309 36,792 Liabilities grew by 4% to $177 billion, primarily due to higher borrowings Life insurance funds on deposit 21,557 22,589 23,774 from an increase in Bank funding requirements and higher insurance reserves due to reserve strengthening in P&C. These increases were Borrowings 2,457 1,820 5,853 partially offset by a decline in Bank deposits as inflation and rising Other liabilities2 11,819 9,165 8,514 interest rates resulted in lower member savings and checking balances. Total liabilities $159,910 $170,531 $176,578 NET WORTH Total net worth $40,439 $40,146 $27,427 TOTAL LIABILITIES AND NET WORTH $200,349 $210,677 $204,005 1Includes various items such as accounts receivable and pension plans. 2Includes various items such as accounts payable and benefit plan obligations.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 29 Member Distributions YEARS ENDED DECEMBER 31 (DOLLARS IN MILLIONS) 2020 2021 2022 Subscribers Account distributions $618 $432 $343 In 2022, despite earnings pressure, USAA returned almost $2 billion to our members through distributions, dividends, and Bank rebates and Senior Bonus distributions1 296 307 315 rewards. These distributions continue to demonstrate USAAs ongoing Subscribers Account terminations 248 277 350 commitment to provide meaningful member value while maintaining Automobile policyholder dividends 1,260 178 103 long-term financial strength Total property and casualty distributions $2,422 $1,193 $1,111 Life insurance policyholder dividends 42 41 41 Bank rebates and rewards 595 748 825 TOTAL DISTRIBUTIONS TO MEMBERS2 $3,059 $1,982 $1,977 Past dividends or distributions are not a guarantee or promise of future dividends or distributions. 1Senior Bonus distributions represent additional Subscribers Account distributions for eligible members of the association with more than 40 years of membership. 2Includes amounts returned to members, associates and other customers.SERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 30 Disclosures fees for transactions made at non-USAA ATMs. 1% Foreign Transactions Score should not be used as the primary basis for making investment Fee may apply. See the Account and Service Fee Schedule for details. or financial decisions. A Financial Readiness Score provides a basic Investments/Insurance: Not a Deposit Not FDIC Insured Not Bank assessment that is based on information and assumptions provided by 5HomeReady is a registered trademark of Fannie Mae. Issued, Guaranteed or Underwritten May Lose Value you regarding your goals, expectations and financial situation, but it 6Early access to direct deposit funds is based on when USAA Federal does not guarantee financial success or replace more detailed financial 1The USAA SafePilot program is optional, but member must have an Savings Bank receives notice of payment from the payer, which is planning. The calculations do not infer that USAA assumes any fiduciary active USAA auto insurance policy to receive discount. This program is generally one to two business days before the scheduled payment date. duties. Consider your own financial circumstances and goals carefully only available in select states. Program availability and state restrictions Early access is not available for USAA payroll direct deposited into a before investing or purchasing financial products. Before making any apply. Smartphone and download of the USAA SafePilot App required. USAA Federal Savings Bank account. decision, consult your own tax, financial or legal advisors regarding your Participation discount expires at first renewal in which the earned situation. Information provided by you in connection with the Financial driving discount is applied, not to exceed 365 days. Earned driving 7The United Services Automobile Association (USAA) Connected Home Readiness Score tool is voluntary, will not be considered in connection discount offered at renewal and is based on driving behavior of all the program is optional. Must have an active USAA Homeowners Insurance with a request or application for credit or insurance products/services, drivers on the policy and may vary by state and over the life of the Policy and agree to share data from connected home devices to receive and may be used by USAA for marketing and other business purposes as policy. All discounts removed if enrollment is canceled. Savings subject discount. Smartphone, eligible connected home devices, and download set forth in the USAA Privacy Promise. to change. Restrictions apply. of the Resideo app also required. This program is only available in select states. Program availability and state restrictions apply. IMPORTANT: The projections or other information generated by the 2The USAA SafePilot program is optional. Member must have an active tool regarding the likelihood of various investment outcomes are for USAA auto insurance policy to receive discount. This program is only 8The USAA Perks program is provided through USAA Alliance Services informational purposes only, are hypothetical in nature, do not reflect available in select states. Program availability and state restrictions LLC, a wholly owned subsidiary of USAA. USAA Alliance Services actual investment results, and are not guarantees of future results. They apply. Smartphone and download of the USAA SafePilot App required. contracts with companies not affiliated with USAA to offer their are intended to provide an estimate of your plan over time and reflect products and services to members and customers. USAA Alliance Participation discount expires at first renewal in which the earned USAAs thoughts on overall financial readiness and strength. The tool Services receives compensation from these companies based on the sale driving discount is applied, not to exceed 365 days. Earned driving encourages you to consider USAA products, which benefits USAA. of these products or services. When you purchase a product or service discount is offered at renewal and is based on driving behavior of all the Revisit the tool periodically. Results are based on information provided from one of these companies, that company is responsible for protecting rated drivers on the policy. Discount may vary by state and over the life by you at a moment in time and are relevant for only as long as that your data and its processes and procedures may differ from those of of the policy. information remains the same. When the assumptions or data you have USAA. These companies have sole financial responsibility for their entered change in the future, or updates to the data utilized by the tool Review the Program Terms and Conditions for more information. products and services. occur, so will the projected results from the tool. Results may vary with 3USAAs pay as you drive insurance app leverages sensors and 9The USAA Educational Foundation (the Foundation) is a nonprofit each use of the tool and over time, and results may vary depending on technology through a smart phone application measuring how safely organization sponsored by USAA. The purpose of the Foundation is to the information provided by you. and how much you drive. A monthly variable rate is determined by lead and inspire actions that improve financial readiness in the military Use of the term member or membership refers to membership in factors that may include the drivers smoothness, focus, road choice, and local community. Its resources are available online and free of USAA Membership Services and does not convey any legal or ownership time of day, and mileage driven. Premium also includes a fixed rate charge. The Foundation does not endorse or promote any commercial rights in USAA. Restrictions apply and are subject to change. To join determined for policy term at time of purchase. Individual savings vary. supplier, product or service. USAA, separated military personnel must have received a discharge type 4When you use a non-USAA ATM, you may incur surcharge, usage, or This material is for informational purposes and is not investment advice, of Honorable or General Under Honorable Conditions. Eligible former other fees charged by the ATM operator or network. FSB refunds up to an indicator of future performance, a solicitation, an offer to buy or sell, dependents of USAA members may join USAA. $10 per monthly statement cycle in non-USAA ATM surcharge or usage or a recommendation for any specific product. A Financial ReadinessSERVICE. THEN, NOW AND ALWAYS. | USAA 2022 Annual Report to Members 31 VA loans require a one-time fee called a VA funding fee which may be Pay as you drive policies are issued by NOBLR Reciprocal Exchange, collected at closing or rolled into your loan. The fee is determined by the San Antonio, TX, a USAA company. To the extent permitted by law, loan amount, your service history, and other factors. A down payment participants are individually written, not all applicants may qualify. on your VA loan may be required in certain circumstances and maximum Coverages and savings availability varies by state. Eligibility rules apply. loan limits vary by county. NAIC #16461. USAA FSB NMLS 401058 Members were compensated for their participation. The USAA Educational Foundation (the Foundation) is a nonprofit No Department of Defense or government agency endorsement. organization sponsored by USAA. The purpose of the Foundation is to The trademarks, logos and names of other companies, products and lead and inspire actions that improve financial readiness in the military services are the property of their respective owners. and local community. Its resources are available online and free of charge. The Foundation does not endorse or promote any commercial supplier, product or service. Visa is a registered trademark of Visa International Service Association and used under license. Credit cards are issued by USAA Savings Bank and serviced by USAA Federal Savings Bank. Certificate of deposit for the USAA Secured Credit Card issued by USAA Savings Bank, and serviced by USAA Federal Savings Bank. Other bank products provided by USAA Federal Savings Bank. Both banks Member FDIC. Property and casualty insurance provided by United Services Automobile Association (USAA), USAA Casualty Insurance Company, USAA General Indemnity Company, Garrison Property and Casualty Insurance Company, based in San Antonio, Texas; USAA Limited (UK) and USAA S.A. (Europe) and is available only to persons eligible for property and casualty group membership. Each company has sole financial responsibility for its own products. Coverages subject to the terms and conditions of the policy. 293296-0423