From df1f31a15581c8238d0ca70657eb847490f7aa51 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 11:19:46 -0500 Subject: [PATCH 01/18] Validate when all date parts are set Co-authored-by: Hugo Melo --- app/models/az321_contribution.rb | 3 +- app/models/concerns/date_accessible.rb | 65 +- config/locales/en.yml | 1264 ++++++++++++----------- config/locales/es.yml | 1290 ++++++++++++------------ 4 files changed, 1288 insertions(+), 1334 deletions(-) diff --git a/app/models/az321_contribution.rb b/app/models/az321_contribution.rb index cd058abad0..efbcf011f4 100644 --- a/app/models/az321_contribution.rb +++ b/app/models/az321_contribution.rb @@ -33,6 +33,5 @@ class Az321Contribution < ApplicationRecord validates :date_of_contribution, inclusion: { in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year - }, - presence: true + } end diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index 4b88ea638f..1413967ad2 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -4,7 +4,6 @@ module DateAccessible TAX_YEAR = Date.new(Rails.configuration.statefile_current_tax_year) included do - private # Calls `date_reader` and `date_writer` on specified date properties to set # getters and setters on the specified date properties. For use with @@ -28,17 +27,7 @@ def self.date_reader(*properties) properties = [properties] unless properties.is_a?(Enumerable) properties.each do |property| - self.define_method("#{property}_month") do - send(property)&.month - end - - self.define_method("#{property}_year") do - send(property)&.year - end - - self.define_method("#{property}_day") do - send(property)&.day - end + attr_reader :"#{property}_month", :"#{property}_year", :"#{property}_day" end end @@ -52,42 +41,32 @@ def self.date_writer(*properties) properties = [properties] unless properties.is_a?(Enumerable) properties.each do |property| - self.define_method("#{property}_month=") do |month| - change_date_property(property, month: month) unless month.blank? - end + attr_writer :"#{property}_month", :"#{property}_year", :"#{property}_day" - self.define_method("#{property}_year=") do |year| - change_date_property(property, year: year) unless year.blank? + before_validation do + send( + "#{property}=", + Date.new( + send("#{property}_year").to_i, + send("#{property}_month").to_i, + send("#{property}_day").to_i, + ) + ) + rescue Date::Error + send("#{property}=", nil) end - self.define_method("#{property}_day=") do |day| - change_date_property(property, day: day) unless day.blank? + self.class_eval do + validate :"#{property}_date_valid" + + define_method("#{property}_date_valid") do + date = send(property) + if date.present? && !Date.valid_date?(date.year, date.month, date.day) + errors.add(property, :invalid_date, message: "is not a valid calendar date") + end + end end end end - - # Takes in valid arguments to Date#change. Will create a new date if - # `date_of_contribution` is nil, otherwise will merely modify the correct - # date part. Values can be strings as long as #to_i renders an appropriate - # integer. Note that Date#change only accepts :year, :month, and :day as - # keys, all other keys will be treated as nothing was passed at all. - # - # Note that until all three fragments are passed; month, day, and year - # For year, a range must be indicated on the validator on the property itself - # - # @see Date#change - # - # @param date_property [Symbol] The property to manipulate - # @param args [Hash] Arguments conforming to Date#change - def change_date_property(date_property, args) - existing_date = send(date_property) || Date.new - - self.send( - "#{date_property}=", - existing_date.change(**args.transform_values(&:to_i)) - ) - rescue Date::Error - nil - end end end diff --git a/config/locales/en.yml b/config/locales/en.yml index 58f4e4c40c..a9f289b61c 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -15,7 +15,7 @@ en: charity_code: invalid: should be a five digit number beginning with 2 date_of_contribution: - inclusion: Date must be in the current tax year + inclusion: Date must be valid and in the current tax year state_file_1099_r: errors: must_be_less_than_gross_distribution: Must be less than gross distribution amount @@ -102,8 +102,8 @@ en: file_yourself: edit: info: - - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! - - To get started, we’ll need to collect some basic information. + - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! + - To get started, we’ll need to collect some basic information. title: File taxes on your own documents: documents_help: @@ -192,7 +192,7 @@ en: too_short: The password must be a minimum %{count} characters. payer_name: blank: Please enter a valid name. - invalid: 'Only letters, numbers, parentheses, apostrophe, and # are accepted.' + invalid: "Only letters, numbers, parentheses, apostrophe, and # are accepted." payer_tin: invalid: EIN must be a 9-digit number. Do not include a dash. payer_tin_ny_invalid: The number entered is not an accepted TIN by New York State. @@ -252,11 +252,11 @@ en: contact_method_required: "%{attribute} is required if opting into notifications" invalid_tax_status: The provided tax status is not valid. mailing_address: - city: 'Error: Invalid City' - invalid: 'Error: Invalid Address.' - multiple: 'Error: Multiple addresses were found for the information you entered, and no default exists.' - not_found: 'Error: Address Not Found.' - state: 'Error: Invalid State Code' + city: "Error: Invalid City" + invalid: "Error: Invalid Address." + multiple: "Error: Multiple addresses were found for the information you entered, and no default exists." + not_found: "Error: Address Not Found." + state: "Error: Invalid State Code" md_county: residence_county: presence: Please select a county @@ -276,7 +276,7 @@ en: must_equal_100: Routing percentages must total 100%. status_must_change: Can't initiate status change to current status. tax_return_belongs_to_client: Can't update tax return unrelated to current client. - tax_returns: 'Please provide all required fields for tax returns: %{attrs}.' + tax_returns: "Please provide all required fields for tax returns: %{attrs}." tax_returns_attributes: certification_level: certification level is_hsa: is HSA @@ -295,7 +295,7 @@ en: address: Address admin: Admin admin_controls: Admin Controls - affirmative: 'Yes' + affirmative: "Yes" all_organizations: All organizations and: and assign: Assign @@ -506,7 +506,7 @@ en: my_account: My account my_profile: My profile name: Name - negative: 'No' + negative: "No" new: New new_unique_link: Additional unique link nj_staff: New Jersey Staff @@ -628,7 +628,7 @@ en: very_well: Very well visit_free_file: Visit IRS Free File visit_stimulus_faq: Visit Stimulus FAQ - vita_long: 'VITA: Volunteer Income Tax Assistance' + vita_long: "VITA: Volunteer Income Tax Assistance" well: Well widowed: Widowed written_language_options: @@ -709,17 +709,17 @@ en: new_status: New Status remove_assignee: Remove assignee selected_action_and_tax_return_count_html: - one: 'You’ve selected Change Assignee and/or Status for %{count} return with the following status:' - other: 'You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:' + one: "You’ve selected Change Assignee and/or Status for %{count} return with the following status:" + other: "You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:" title: Bulk Action change_organization: edit: by_clicking_submit: By clicking submit, you are changing the organization, sending a team note, and updating followers. - help_text_html: 'Note: All returns for these clients will be reassigned to the selected new organization.
Changing the organization may cause assigned hub users to lose access and be unassigned.' + help_text_html: "Note: All returns for these clients will be reassigned to the selected new organization.
Changing the organization may cause assigned hub users to lose access and be unassigned." new_organization: New organization selected_action_and_client_count_html: - one: 'You’ve selected Change Organization for %{count} client in the current organization:' - other: 'You’ve selected Change Organization for %{count} clients in the current organizations:' + one: "You’ve selected Change Organization for %{count} client in the current organization:" + other: "You’ve selected Change Organization for %{count} clients in the current organizations:" title: Bulk Action send_a_message: edit: @@ -776,7 +776,7 @@ en: middle_initial: M.I. months_in_home: "# of mos. lived in home last year:" never_married: Never Married - north_american_resident: 'Resident of US, CAN or MEX last year:' + north_american_resident: "Resident of US, CAN or MEX last year:" owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -785,7 +785,8 @@ en: provided_over_half_own_support: Did this person provide more than 50% of his/ her own support? receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail - refund_payment_method: 'If you are due a refund, would you like:' + refund_other: Other + refund_payment_method: "If you are due a refund, would you like:" refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -797,8 +798,8 @@ en: was_full_time_student: Full Time Student was_married: Single or Married as of 12/31/2024 was_student: Full-time Student last year - last_year_was_your_spouse: 'Last year, was your spouse:' - last_year_were_you: 'Last year, were you:' + last_year_was_your_spouse: "Last year, was your spouse:" + last_year_were_you: "Last year, were you:" title: 13614-C page 1 what_was_your_marital_status: As of December 31, %{current_tax_year}, what was your marital status? edit_13614c_form_page2: @@ -806,9 +807,9 @@ en: had_asset_sale_income: Income (or loss) from the sale or exchange of Stocks, Bonds, Virtual Currency or Real Estate? had_disability_income: Disability income? had_gambling_income: Gambling winnings, including lottery - had_interest_income: 'Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?' + had_interest_income: "Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?" had_local_tax_refund: Refund of state or local income tax - had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' + had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" had_rental_income: Income (or loss) from Rental Property? had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -896,7 +897,7 @@ en: client_id_heading: Client ID client_info: Client Info created_at: Created at - excludes_statuses: 'excludes: %{statuses}' + excludes_statuses: "excludes: %{statuses}" filing_year: Filing Year filter: Filter results filters: Filters @@ -925,7 +926,7 @@ en: title: Add a new client organizations: edit: - warning_text_1: 'Note: All returns on this client will be assigned to the new organization.' + warning_text_1: "Note: All returns on this client will be assigned to the new organization." warning_text_2: Changing the organization may cause assigned hub users to lose access and be unassigned. show: basic_info: Basic Info @@ -958,7 +959,7 @@ en: email: sent email internal_note: added internal note status: updated status - success: 'Success: Action taken! %{action_list}.' + success: "Success: Action taken! %{action_list}." text_message: sent text message coalitions: edit: @@ -978,7 +979,7 @@ en: client_id: Client ID client_name: Client Name no_clients: No clients to display at the moment - title: 'Action Required: Flagged Clients' + title: "Action Required: Flagged Clients" updated: Updated At approaching: Approaching capacity: Capacity @@ -1027,7 +1028,7 @@ en: has_duplicates: Potential duplicates detected has_previous_year_intakes: Previous year intake(s) itin_applicant: ITIN applicant - last_client_update: 'Last client update: ' + last_client_update: "Last client update: " last_contact: Last contact messages: automated: Automated @@ -1061,14 +1062,14 @@ en: label: Add a note submit: Save outbound_call_synthetic_note: Called by %{user_name}. Call was %{status} and lasted %{duration}. - outbound_call_synthetic_note_body: 'Call notes:' + outbound_call_synthetic_note_body: "Call notes:" organizations: activated_all: success: Successfully activated %{count} users form: active_clients: active clients allows_greeters: Allows Greeters - excludes: 'excludes statuses: Accepted, Not filing, On hold' + excludes: "excludes statuses: Accepted, Not filing, On hold" index: add_coalition: Add new coalition add_organization: Add new organization @@ -1089,8 +1090,8 @@ en: client_phone_number: Client phone number notice_html: Expect a call from %{receiving_number} when you press 'Call'. notice_list: - - Your phone number will remain private -- it is not accessible to the client. - - We'll always call from this number -- consider adding it to your contacts. + - Your phone number will remain private -- it is not accessible to the client. + - We'll always call from this number -- consider adding it to your contacts. title: Call client your_phone_number: Your phone number show: @@ -1278,8 +1279,8 @@ en: send_a_message_description_html: Send a message to these %{count} clients. title: Choose your bulk action page_title: - one: 'Client selection #%{id} (%{count} result)' - other: 'Client selection #%{id} (%{count} results)' + one: "Client selection #%{id} (%{count} result)" + other: "Client selection #%{id} (%{count} results)" tax_returns: count: one: "%{count} tax return" @@ -1291,7 +1292,7 @@ en: new: assigned_user: Assigned user (optional) certification_level: Certification level (optional) - current_years: 'Current Tax Years:' + current_years: "Current Tax Years:" no_remaining_years: There are no remaining tax years for which to create a return. tax_year: Tax year title: Add tax year for %{name} @@ -1471,7 +1472,7 @@ en: We're here to help! Your Tax Team at GetYourRefund - subject: 'GetYourRefund: You have a submission in progress' + subject: "GetYourRefund: You have a submission in progress" sms: body: Hello <>, you haven't completed providing the information we need to prepare your taxes at GetYourRefund. Continue where you left off here <>. Your Client ID is <>. If you have any questions, please reply to this message. intercom_forwarding: @@ -1533,15 +1534,8 @@ en: Best, The FileYourStateTaxes team - subject: "%{state_name} State Return Accepted- Payment Due" - sms: | - Hi %{primary_first_name} - Your %{state_name} state tax return has been accepted and a payment is due. - - If you haven't submited your payment via direct debit, please do so by April 15 at %{state_pay_taxes_link}. Any amount not paid by the filing deadline could add extra penalties and fees. - - Download your return at %{return_status_link} - - Need help? Email us at help@fileyourstatetaxes.org + subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! Make sure to pay your state taxes by April 15 at %{state_pay_taxes_link} if you have not paid via direct deposit or check. \n\nDownload your return at %{return_status_link}\n\nQuestions? Email us at help@fileyourstatetaxes.org.\n" accepted_refund: email: body: | @@ -1553,8 +1547,8 @@ en: Best, The FileYourStateTaxes team - subject: "%{state_name} State Return Accepted" - sms: "Hi %{primary_first_name} - Good news, %{state_name} accepted your state tax return! \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" + subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! You can expect to receive your refund as soon as %{state_name} approves your refund amount. \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: body: | @@ -1563,7 +1557,7 @@ en: To continue filing your state tax return, please create a new account with FileYourStateTaxes by visiting: https://www.fileyourstatetaxes.org/en/%{state_code}/landing-page Need help? Email us at help@fileyourstatetaxes.org or chat with us on FileYourStateTaxes.org - subject: 'FileYourStateTaxes: Regarding your %{state_name} tax return data import' + subject: "FileYourStateTaxes: Regarding your %{state_name} tax return data import" sms: | Hello, you may have experienced an issue transferring your federal return data from IRS Direct File. This issue is now resolved. @@ -1613,7 +1607,7 @@ en: Best, The FileYourStateTaxes team - subject: Make sure to finish filing your state taxes as soon as possible + subject: "Final Reminder: FileYourStateTaxes closes April 25." sms: | Hi %{primary_first_name} - You haven't submitted your state tax return yet. Make sure to submit your state taxes as soon as possible to avoid late filing fees. Go to fileyourstatetaxes.org/en/login-options to finish them now. Need help? Email us at help@fileyourstatetaxes.org. @@ -1663,7 +1657,7 @@ en: Best, The FileYourStateTaxes team - subject: 'Action Needed: %{state_name} State Return Rejected' + subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed" sms: | Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return. Don't worry! We can help you fix and resubmit it at %{return_status_link}. @@ -1679,8 +1673,8 @@ en: Best, The FileYourStateTaxes team - subject: Your %{state_name} state tax return is taking longer than expected - sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Need help? Email us at help@fileyourstatetaxes.org. + subject: "FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected" + sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Questions? Email us at help@fileyourstatetaxes.org. successful_submission: email: body: | @@ -1695,7 +1689,7 @@ en: Best, The FileYourStateTaxes team resubmitted: resubmitted - subject: "%{state_name} State Return Submitted" + subject: "FileYourStateTaxes Update: %{state_name} State Return Submitted" submitted: submitted sms: Hi %{primary_first_name} - You successfully %{submitted_or_resubmitted} your %{state_name} state tax return! We'll update you in 1-2 days on the status of your return. You can download your return and check the status at %{return_status_link}. Need help? Email us at help@fileyourstatetaxes.org. survey_notification: @@ -1710,7 +1704,7 @@ en: Best, The FileYourStateTaxes team subject: Your feedback on FileYourStateTaxes - sms: 'Hi %{primary_first_name} - Thank you for submitting your taxes with FileYourStateTaxes! We would love feedback on your experience so we can improve! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' + sms: "Hi %{primary_first_name} - Thank you for submitting your taxes with FileYourStateTaxes! We would love feedback on your experience so we can improve! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" terminal_rejected: email: body: | @@ -1722,8 +1716,8 @@ en: Best, The FileYourStateTaxes team - subject: "%{state_name} State Return Rejected." - sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our service. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" + subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected." + sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our tool. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nQuestions? Reply to this text.\n" welcome: email: body: | @@ -1774,8 +1768,8 @@ en: We’re here to help! Your tax team at GetYourRefund - subject: 'GetYourRefund: You have successfully submitted your tax information!' - sms: 'Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message.' + subject: "GetYourRefund: You have successfully submitted your tax information!" + sms: "Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message." surveys: completion: email: @@ -1786,7 +1780,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Thank you for choosing GetYourRefund! - sms: 'Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' + sms: "Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" ctc_experience: email: body: | @@ -1798,7 +1792,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Your feedback on GetCTC - sms: 'Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' + sms: "Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" unmonitored_replies: email: body: Replies not monitored. Write %{support_email} for assistance. To check on your refund status, go to Where's My Refund? To access your tax record, get your transcript. @@ -1823,8 +1817,8 @@ en: Thank you for creating an account with GetYourRefund! Your Client ID is <>. This is an important piece of account information that can assist you when talking to our chat representatives and when logging into your account. Please keep track of this number and do not delete this message. You can check your progress and add additional documents here: <> - subject: 'Welcome to GetYourRefund: Client ID' - sms: 'Hello <>, You''ve signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message.' + subject: "Welcome to GetYourRefund: Client ID" + sms: "Hello <>, You've signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message." models: intake: your_spouse: Your spouse @@ -1859,7 +1853,7 @@ en: last_four_or_client_id: Client ID or Last 4 of SSN/ITIN title: Authentication needed to continue. enter_verification_code: - code_sent_to_html: 'A message with your code has been sent to: %{address}' + code_sent_to_html: "A message with your code has been sent to: %{address}" enter_6_digit_code: Enter 6 digit code title: Let’s verify that code! verify: Verify @@ -1868,7 +1862,7 @@ en: bad_input: Incorrect client ID or last 4 of SSN/ITIN. After 5 failed attempts, accounts are locked. bad_verification_code: Incorrect verification code. After 5 failed attempts, accounts are locked. new: - one_form_of_contact: 'Please enter one form of contact below:' + one_form_of_contact: "Please enter one form of contact below:" send_code: Send code title: We’ll send you a secure code to sign in closed_logins: @@ -1891,7 +1885,7 @@ en: add_signature_primary: Please add your final signature to your tax return add_signature_spouse: Please add your spouse's final signature to your tax return finish_intake: Please answer remaining tax questions to continue. - client_id: 'Client ID: %{id}' + client_id: "Client ID: %{id}" document_link: add_final_signature: Add final signature add_missing_documents: Add missing documents @@ -1904,7 +1898,7 @@ en: view_w7: View or download form W-7 view_w7_coa: View or download form W-7 (COA) help_text: - file_accepted: 'Completed: %{date}' + file_accepted: "Completed: %{date}" file_hold: Your return is on hold. Your tax preparer will reach out with an update. file_not_filing: This return is not being filed. Contact your tax preparer with any questions. file_rejected: Your return has been rejected. Contact your tax preparer with any questions. @@ -1919,7 +1913,7 @@ en: review_reviewing: Your return is being reviewed. review_signature_requested_primary: We are waiting for a final signature from you. review_signature_requested_spouse: We are waiting for a final signature from your spouse. - subtitle: 'Here is a snapshot of your taxes:' + subtitle: "Here is a snapshot of your taxes:" tax_return_heading: "%{year} return" title: Welcome back %{name}! still_needs_helps: @@ -1988,7 +1982,7 @@ en: description: File quickly on your own. list: file: File for %{current_tax_year} only - income: 'Income: under $84,000' + income: "Income: under $84,000" timeframe: 45 minutes to file title: File Myself gyr_tile: @@ -1996,7 +1990,7 @@ en: description: File confidently with assistance from our IRS-certified volunteers. list: file: File for %{oldest_filing_year}-%{current_tax_year} - income: 'Income: under $67,000' + income: "Income: under $67,000" ssn: Must show copies of your Social Security card or ITIN paperwork timeframe: 2-3 weeks to file title: File with Help @@ -2055,17 +2049,17 @@ en: zero: "$0" title: Tell us about your filing status and income. vita_income_ineligible: - label: 'Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?' + label: "Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?" signups: flash_notice: Thank you! You will receive a notification when we open. new: banner: New intakes for GetYourRefund have closed for 2023. Please come back in January to file next year. header: We'd love to work with you next year to help you file your taxes for free! opt_in_message: - 01_intro: 'Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:' + 01_intro: "Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:" 02_list: - - Receiving a GetYourRefund Verification Code - - Tax return notifications + - Receiving a GetYourRefund Verification Code + - Tax return notifications 03_message_freq: Message frequency will vary. Standard message rates apply. Text HELP to 11111 for help. Text STOP to 11111 to cancel. Carriers (e.g. AT&T, Verizon, etc.) are not responsible or liable for undelivered or delayed messages. 04_detail_links_html: See our Terms and Conditions and Privacy Policy. subheader: Please sign up here to receive a notification when we open in January. @@ -2083,7 +2077,7 @@ en: mailing_address_validation: edit: identity_safe: To keep your identity safe, we need to confirm the address on your 2023 tax return. - radio_button_title: 'Select the mailing address for your 2023 tax return:' + radio_button_title: "Select the mailing address for your 2023 tax return:" title: Confirm your address to access your tax return pdfs: index: @@ -2262,7 +2256,7 @@ en:
  • Bank routing and account numbers (if you want to receive your refund or make a tax payment electronically)
  • (optional) Driver's license or state issued ID
  • - help_text_title: 'What you’ll need:' + help_text_title: "What you’ll need:" supported_by: Supported by the New Jersey Division of Taxation title: File your New Jersey taxes for free not_you: Not %{user_name}? @@ -2289,7 +2283,7 @@ en: section_4: Transfer your data section_5: Complete your state tax return section_6: Submit your state taxes - step_description: 'Section %{current_step} of %{total_steps}: ' + step_description: "Section %{current_step} of %{total_steps}: " notification_mailer: user_message: unsubscribe: To unsubscribe from emails, click here. @@ -2330,7 +2324,9 @@ en: why_are_you_asking: Why are you asking for this information? az_prior_last_names: edit: - prior_last_names_label: 'Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)' + prior_last_names_label: + one: "Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)" + other: Enter all last names used by you and your spouse in the last four years. subtitle: This includes tax years %{start_year}-%{end_year}. title: one: Did you file with a different last name in the last four years? @@ -2361,11 +2357,11 @@ en: other: Did you or your spouse pay any fees or make any qualified cash donation to an Arizona public school in %{year}? more_details_html: Visit the Arizona Department of Revenue Guide for more details. qualifying_list: - - Extracurricular Activities - - Character Education - - Standardized Testing and Fees - - Career and Technical Education Assessment - - CPR Training + - Extracurricular Activities + - Character Education + - Standardized Testing and Fees + - Career and Technical Education Assessment + - CPR Training school_details_answer_html: | You can find this information on the receipt you received from the school.

    @@ -2380,7 +2376,7 @@ en: add_another: Add another donation delete_confirmation: Are you sure you want to delete this contribution? maximum_records: You have provided the maximum amount of records. - title: 'Here are the public school donations/fees you added:' + title: "Here are the public school donations/fees you added:" az_qualifying_organization_contributions: destroy: removed: Removed AZ 321 for %{charity_name} @@ -2408,20 +2404,20 @@ en: edit: federal: Federal federal_bullet_points: - - US Government Service Retirement and Disability Fund - - US Foreign Service Retirement and Disability System - - Other federal retirement systems or plans established by federal law + - US Government Service Retirement and Disability Fund + - US Foreign Service Retirement and Disability System + - Other federal retirement systems or plans established by federal law pension_plan: Qualifying federal, Arizona, or government pension plan state_local: State/local state_local_bullet_points: - - Arizona State Retirement System - - Arizona State Retirement Plan - - Corrections Officer Retirement Plan - - Public Safety Personnel Retirement System - - Elected Officials Retirement Plan - - Retirement program established by the Arizona Board of Regents - - Retirement program established by Arizona community college district - - Retirement plan established for employees of a county, city, or town in Arizona + - Arizona State Retirement System + - Arizona State Retirement Plan + - Corrections Officer Retirement Plan + - Public Safety Personnel Retirement System + - Elected Officials Retirement Plan + - Retirement program established by the Arizona Board of Regents + - Retirement program established by Arizona community college district + - Retirement plan established for employees of a county, city, or town in Arizona subtitle: To see if you qualify, we need more information from your 1099-R uniformed_services: Retired or retainer pay of the uniformed services of the United States which_pensions: Which government pensions qualify? @@ -2551,7 +2547,7 @@ en: other_credits_529_html: Arizona 529 plan contributions deduction other_credits_add_dependents: Adding dependents not claimed on the federal return other_credits_change_filing_status: Change in filing status from federal to state return - other_credits_heading: 'Other credits and deductions not supported this year:' + other_credits_heading: "Other credits and deductions not supported this year:" other_credits_itemized_deductions: Itemized deductions property_tax_credit_age: Be 65 or older; or receive Supplemental Security Income property_tax_credit_heading_html: 'Property Tax Credit. To qualify for this credit you must:' @@ -2588,7 +2584,7 @@ en: itemized_deductions: Itemized deductions long_term_care_insurance_subtraction: Long-term Care Insurance Subtraction maintaining_elderly_disabled_credit: Credit for Maintaining a Home for the Elderly or Disabled - not_supported_this_year: 'Credits and deductions not supported this year:' + not_supported_this_year: "Credits and deductions not supported this year:" id_supported: child_care_deduction: Idaho Child and Dependent Care Subtraction health_insurance_premiums_subtraction: Health Insurance Premiums subtraction @@ -2681,8 +2677,8 @@ en: title2: What scenarios for claiming the Maryland Earned Income Tax Credit and/or Child Tax Credit aren't supported by this service? title3: What if I have a situation not yet supported by FileYourStateTaxes? md_supported: - heading1: 'Subtractions:' - heading2: 'Credits:' + heading1: "Subtractions:" + heading2: "Credits:" sub1: Subtraction for Child and Dependent Care Expenses sub10: Senior Tax Credit sub11: State and local Poverty Level Credits @@ -2717,7 +2713,7 @@ en:
  • Filing your federal and state tax returns using different filing statuses (for example you filed as Married Filing Jointly on your federal tax return and want to file Married Filing Separately on your state tax return)
  • Adding or removing dependents claimed on your federal return for purposes of your state return
  • Applying a portion of your 2024 refund toward your 2025 estimated taxes
  • - also_unsupported_title: 'We also do not support:' + also_unsupported_title: "We also do not support:" unsupported_html: |
  • Subtraction for meals, lodging, moving expenses, other reimbursed business expenses, or compensation for injuries or sickness reported as wages on your W-2
  • Subtraction for alimony payments you made
  • @@ -2746,7 +2742,7 @@ en: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: 'Other credits, deductions and resources not supported this year:' + other_credits_heading: "Other credits, deductions and resources not supported this year:" other_credits_itemized_deductions: Itemized deductions real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2785,7 +2781,7 @@ en: fees: Fees may apply. learn_more_here_html: Learn more here. list: - body: 'Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:' + body: "Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:" list1: Confirm that the service lets you file just your state return. You might need to check with customer support. list2: Be ready to reenter info from your federal return, as it's needed for your state return. list3: When filing, only submit your state return. If you submit your federal return again, your federal return may be rejected. @@ -2964,7 +2960,7 @@ en: see_if_you_qualify: one: To see if you qualify, we need more information about you. other: To see if you qualify, we need more information about you and your household. - select_household_members: 'Select the members of the household any of these situations applied to in %{tax_year}:' + select_household_members: "Select the members of the household any of these situations applied to in %{tax_year}:" situation_incarceration: were incarcerated situation_snap: received food stamps / SNAP-EBT situation_undocumented: lived in the US undocumented @@ -2978,7 +2974,7 @@ en: why_are_you_asking_li1: Received food stamps why_are_you_asking_li2: Were incarcerated why_are_you_asking_li3: Lived in the U.S. undocumented - why_are_you_asking_p1: 'Certain restrictions apply to this monthly credit. A person will not qualify for the months they:' + why_are_you_asking_p1: "Certain restrictions apply to this monthly credit. A person will not qualify for the months they:" why_are_you_asking_p2: The credit amount is reduced for each month they experience any of these situations. why_are_you_asking_p3: The answers are only used to calculate the credit amount and will remain confidential. you_example_months: For example, if you had 2 situations in April, that counts as 1 month. @@ -3115,10 +3111,10 @@ en: county_html: "County" political_subdivision: Political Subdivision political_subdivision_helper_areas: - - 'Counties: The 23 counties and Baltimore City.' - - 'Municipalities: Towns and cities within the counties.' - - 'Special taxing districts: Areas with specific tax rules for local services.' - - 'All other areas: Regions that do not have their own municipal government and are governed at the county level.' + - "Counties: The 23 counties and Baltimore City." + - "Municipalities: Towns and cities within the counties." + - "Special taxing districts: Areas with specific tax rules for local services." + - "All other areas: Regions that do not have their own municipal government and are governed at the county level." political_subdivision_helper_first_p: 'A "political subdivision" is a specific area within Maryland that has its own local government. This includes:' political_subdivision_helper_heading: What is a political subdivision? political_subdivision_helper_last_p: Select the political subdivision where you lived on December 31, %{filing_year} to make sure your tax filing is correct. @@ -3143,15 +3139,15 @@ en: authorize_follow_up: If yes, the Comptroller’s Office will share your information and the email address on file with Maryland Health Connection. authorize_share_health_information: Do you authorize the Comptroller of Maryland to share information from this tax return with Maryland Health Connection for the purpose of determining pre-eligibility for no-cost or low-cost health care coverage? authorize_to_share_info: - - Name, SSN/ITIN, and date of birth of each individual identified on your return - - Your current mailing address, email address, and phone number - - Filing status reported on your return - - Total number of individuals in your household included in your return - - Insured/ uninsured status of each individual included in your return - - Blindness status - - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return - - Your federal adjusted gross income amount from Line 1 - following_will_be_shared: 'If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):' + - Name, SSN/ITIN, and date of birth of each individual identified on your return + - Your current mailing address, email address, and phone number + - Filing status reported on your return + - Total number of individuals in your household included in your return + - Insured/ uninsured status of each individual included in your return + - Blindness status + - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return + - Your federal adjusted gross income amount from Line 1 + following_will_be_shared: "If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):" information_use: Information shared with MHC will be used to determine eligibility for insurance affordability programs or to assist with enrollment in health coverage. more_info: If you would like more information about the health insurance affordability programs or health care coverage enrollment, visit Maryland Health Connection at marylandhealthconnection.gov/easyenrollment/. no_insurance_question: Did any member of your household included in this return not have health care coverage during the year? @@ -3196,7 +3192,7 @@ en: doc_1099r_label: 1099-R income_source_other: Other retirement income (for example, a Keogh Plan, also known as an HR-10) (less common) income_source_pension_annuity_endowment: A pension, annuity, or endowment from an "employee retirement system" (more common) - income_source_question: 'Select the source of this income:' + income_source_question: "Select the source of this income:" military_service_reveal_header: What military service qualifies? military_service_reveal_html: |

    To qualify, you must have been:

    @@ -3230,7 +3226,7 @@ en: service_type_military: Your service in the military or military death benefits received on behalf of a spouse or ex-spouse service_type_none: None of these apply service_type_public_safety: Your service as a public safety employee - service_type_question: 'Did this income come from:' + service_type_question: "Did this income come from:" subtitle: We need more information about this 1099-R to file your state tax return and check your eligibility for subtractions. taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3316,31 +3312,31 @@ en: title: It looks like your filing status is Qualifying Surviving Spouse nc_retirement_income_subtraction: edit: - bailey_description: 'The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can''t be taxed in North Carolina. These plans include:' + bailey_description: "The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can't be taxed in North Carolina. These plans include:" bailey_more_info_html: Visit the North Carolina Department of Revenue for more information. bailey_reveal_bullets: - - North Carolina Teachers’ and State Employees’ Retirement System - - North Carolina Local Governmental Employees’ Retirement System - - North Carolina Consolidated Judicial Retirement System - - Federal Employees’ Retirement System - - United States Civil Service Retirement System + - North Carolina Teachers’ and State Employees’ Retirement System + - North Carolina Local Governmental Employees’ Retirement System + - North Carolina Consolidated Judicial Retirement System + - Federal Employees’ Retirement System + - United States Civil Service Retirement System bailey_settlement_at_least_five_years: Did you or your spouse have at least five years of creditable service by August 12, 1989? bailey_settlement_checkboxes: Check all the boxes about the Bailey Settlement that apply to you or your spouse. bailey_settlement_from_retirement_plan: Did you or your spouse receive retirement benefits from NC's 401(k) or 457 plan, and were you contracted to OR contributed to the plan before August 12, 1989? doc_1099r_label: 1099-R income_source_bailey_settlement_html: Retirement benefits as part of Bailey Settlement - income_source_question: 'Select the source of this income:' + income_source_question: "Select the source of this income:" other: None of these apply subtitle: We need more information about this 1099-R to check your eligibility. - taxable_amount_label: 'Taxable amount:' + taxable_amount_label: "Taxable amount:" taxpayer_name_label: Taxpayer name title: You might be eligible for a North Carolina retirement income deduction! uniformed_services_bullets: - - The Armed Forces - - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) - - The commissioned corps of the United States Public Health Services (USPHS) + - The Armed Forces + - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) + - The commissioned corps of the United States Public Health Services (USPHS) uniformed_services_checkboxes: Check all the boxes about the Uniformed Services that apply to you or your spouse. - uniformed_services_description: 'Uniformed Services are groups of people in military and related roles. These include:' + uniformed_services_description: "Uniformed Services are groups of people in military and related roles. These include:" uniformed_services_html: Retirement benefits from the Uniformed Services uniformed_services_more_info_html: You can read more details about the uniformed services here. uniformed_services_qualifying_plan: Were these payments from a qualifying Survivor Benefit Plan to a beneficiary of a retired member who served at least 20 years or who was medically retired from the Uniformed Services? @@ -3375,7 +3371,7 @@ en: edit: calculated_use_tax: Enter calculated use tax explanation_html: If you made any purchases without paying sales tax, you may owe use tax on those purchases. We’ll help you figure out the right amount. - select_one: 'Select one of the following:' + select_one: "Select one of the following:" state_specific: nc: manual_instructions_html: (Learn more here and search for 'consumer use worksheet'). @@ -3386,7 +3382,7 @@ en: use_tax_method_automated: I did not keep a complete record of all purchases. Calculate the amount of use tax for me. use_tax_method_manual: I kept a complete record of all purchases and will calculate my use tax manually. what_are_sales_taxes: What are sales taxes? - what_are_sales_taxes_body: 'Sales Tax: This is a tax collected at the point of sale when you buy goods within your state.' + what_are_sales_taxes_body: "Sales Tax: This is a tax collected at the point of sale when you buy goods within your state." what_are_use_taxes: What are use taxes? what_are_use_taxes_body: If you buy something from another state (like online shopping or purchases from a store located in another state) and you don’t pay sales tax on it, you are generally required to pay use tax to your home state. nc_spouse_state_id: @@ -3410,10 +3406,10 @@ en: account_type: label: Bank Account Type after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: 'Please provide your bank account details:' + bank_title: "Please provide your bank account details:" confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' + date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" foreign_accounts_owed: International ACH payments are not allowed. foreign_accounts_refund: International ACH direct deposit refunds are not allowed. routing_number: Routing Number @@ -3453,7 +3449,7 @@ en: filer_pays_tuition_books: I (or my spouse, if I am filing jointly) pay for at least half of %{dependent_first}'s tuition and college costs. full_time_college_helper_description: '"Full time" is whatever the college considers to be full-time. This can be found on the 1098 T tuition statement.' full_time_college_helper_heading: What counts as "attending college full time"? - reminder: 'Reminder: please check the relevant boxes below for each dependent, if any apply.' + reminder: "Reminder: please check the relevant boxes below for each dependent, if any apply." subtitle_html: "

    You can only claim this for dependents listed on your return.

    \n

    Please check the relevant boxes below under each dependent, if any apply.

    \n

    We will then claim a $1,000 exemption for each dependent student who qualifies.

    \n" title: You may qualify for tax exemptions for any dependent under 22 who is attending college. tuition_books_helper_description_html: To calculate the total amount, add together the cost of college tuition, the cost of books (and supplies), and any money earned by the student in college work-study programs. Do not include other financial aid received. @@ -3469,7 +3465,7 @@ en: edit: continue: Click "Continue" if all these people had health insurance. coverage_heading: What is health insurance with minimum essential coverage? - label: 'Check all the people that did NOT have health insurance:' + label: "Check all the people that did NOT have health insurance:" title_html: Please tell us which dependents were missing health insurance (with minimum essential health coverage) in %{filing_year}. nj_disabled_exemption: edit: @@ -3481,7 +3477,7 @@ en: edit: helper_contents_html: "

    You are the qualifying child of another taxpayer for the New Jersey Earned Income Tax Credit (NJEITC) in %{filing_year} if all of these are true.

    \n
      \n
    1. You are that person's:\n
        \n
      • Child, stepchild, foster child, or a descendant of any of them, or
      • \n
      • Sibling, half sibling, step sibling, or a descendant of any of them
      • \n
      \n
    2. \n
    3. You were: \n
        \n
      • Under age 19 at the end of the year and younger than that person (or that person's spouse, if they filed jointly), or
      • \n
      • Under age 24 at the end of the year, a student, and younger than that person (or that person’s spouse, if they filed jointly), or
      • \n
      • Any age and had a permanent disability that prevented you from working and making money
      • \n
      \n
    4. \n
    5. You lived with that person in the United States for more than 6 months in %{filing_year}.
    6. \n
    7. You aren’t filing a joint return with your spouse for the year. Or you’re filing a joint return with your spouse only to get a refund of money you paid toward taxes.
    8. \n
    \n

    If all of these statements are true, you are the qualifying child of another taxpayer for NJEITC. This is the case even if they don’t claim the credit or don’t meet all of the rules to claim it.

    \n

    If only some of these statements are true, you are NOT the qualifying child of another taxpayer for NJEITC.

    " helper_heading: How do I know if I could be someone else’s qualifying child for NJEITC? - instructions: 'Note: You might be able to get the state credit even if you didn’t qualify for the federal credit.' + instructions: "Note: You might be able to get the state credit even if you didn’t qualify for the federal credit." primary_eitc_qualifying_child_question: In %{filing_year}, could you be someone else's qualifying child for the New Jersey Earned Income Tax Credit (NJEITC)? spouse_eitc_qualifying_child_question: In %{filing_year}, could your spouse be someone else’s qualifying child for the NJEITC? title: You may be eligible for the New Jersey Earned Income Tax Credit (NJEITC). @@ -3512,7 +3508,7 @@ en: - label: 'Total:' + label: "Total:" title: Please tell us if you already made any payments toward your %{filing_year} New Jersey taxes. nj_gubernatorial_elections: edit: @@ -3528,7 +3524,7 @@ en:
  • You made P.I.L.O.T. (Payments-In-Lieu-of-Tax) payments
  • Another reason applies
  • - helper_header: 'Leave first box unchecked if:' + helper_header: "Leave first box unchecked if:" homeowner_home_subject_to_property_taxes: I paid property taxes homeowner_main_home_multi_unit: My main home was a unit in a multi-unit property I owned homeowner_main_home_multi_unit_max_four_one_commercial: The property had two to four units and no more than one of those was a commercial unit @@ -3609,7 +3605,7 @@ en:
  • Expenses for which you were reimbursed through your health insurance plan.
  • do_not_claim: If you do not want to claim this deduction, click “Continue”. - label: 'Enter total non-reimbursed medical expenses paid in %{filing_year}:' + label: "Enter total non-reimbursed medical expenses paid in %{filing_year}:" learn_more_html: |-

    "Medical expenses" means non-reimbursed payments for costs such as:

      @@ -3637,18 +3633,18 @@ en: title: Confirm Your Identity (Optional) nj_retirement_income_source: edit: - doc_1099r_label: '1099-R:' + doc_1099r_label: "1099-R:" helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: 'Select the source of this income:' + label: "Select the source of this income:" option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: 'Taxable Amount:' - taxpayer_name_label: 'Taxpayer Name:' + taxable_amount_label: "Taxable Amount:" + taxpayer_name_label: "Taxpayer Name:" title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3677,13 +3673,13 @@ en: property_tax_paid: Property taxes paid in %{filing_year} rent_paid: Rent paid in %{filing_year} retirement_income_source: 1099-R Retirement Income - retirement_income_source_doc_1099r_label: '1099-R:' - retirement_income_source_label: 'Source:' + retirement_income_source_doc_1099r_label: "1099-R:" + retirement_income_source_label: "Source:" retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits - retirement_income_source_other: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: 'Taxable Amount:' - retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' + retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits + retirement_income_source_taxable_amount_label: "Taxable Amount:" + retirement_income_source_taxpayer_name_label: "Taxpayer Name:" reveal: 15_wages_salaries_tips: Wages, salaries, tips 16a_interest_income: Interest income @@ -3715,7 +3711,7 @@ en: year_of_death: Year of spouse's passing nj_sales_use_tax: edit: - followup_radio_label: 'Select one of the following:' + followup_radio_label: "Select one of the following:" helper_description_html: "

      This applies to online purchases where sales or use tax was not applied. (Amazon and many other online retailers apply tax.)

      \n

      It also applies to items or services purchased out-of-state, in a state where there was no sales tax or the sales tax rate was below the NJ rate of 6.625%.

      \n

      (Review this page for more details.)

      \n" helper_heading: What kind of items or services does this apply to? manual_use_tax_label_html: "Enter total use tax" @@ -3793,7 +3789,7 @@ en: message_body_one: We will not share your information with any outside parties. Message frequency will vary. Message and data rates may apply. message_body_two_html: Text HELP to 46207 for help. Text STOP to 46207 to cancel. Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. See our SMS Terms and Conditions and Privacy Policy. message_title: Messaging details - opt_in_label: 'Select how you would like to receive notifications:' + opt_in_label: "Select how you would like to receive notifications:" phone_number: Your phone number phone_number_help_text: Enter numbers only provided_contact: We’ll send updates about your tax return to %{contact_info}. @@ -3872,7 +3868,7 @@ en: edit: calculated_use_tax: Enter calculated use tax. (Round to the nearest whole number.) enter_valid_dollar_amount: Please enter a dollar amount between 0 and 1699. - select_one: 'Select one of the following:' + select_one: "Select one of the following:" subtitle_html: This includes online purchases where sales or use tax was not applied. title: one: Did you make any out-of-state purchases in %{year} without paying sales or use tax? @@ -3910,7 +3906,7 @@ en: part_year: one: I lived in New York City for some of the year other: My spouse and I lived in New York City for some of the year, or we lived in New York City for different amounts of time. - title: 'Select your New York City residency status during %{year}:' + title: "Select your New York City residency status during %{year}:" pending_federal_return: edit: body_html: Sorry to keep you waiting.

      You’ll receive an email from IRS Direct File when your federal tax return is accepted with a link to bring you back here. Check your spam folder. @@ -3955,7 +3951,7 @@ en: title_html: Please review your retirement income (1099-R) details for %{payer_name}. retirement_income_subtraction: doc_1099r_label: 1099-R - income_source_question: 'Select the source of this income:' + income_source_question: "Select the source of this income:" none_apply: None of these apply taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3969,8 +3965,8 @@ en: direct_debit_html: If you have a remaining tax balance, remember to pay it online at %{tax_payment_info_text} or by mail before the April 15 filing deadline. download_voucher: Download and print the completed payment voucher. feedback: We value your feedback—let us know what you think of this service. - include_payment: Fill out your payment voucher - mail_voucher_and_payment: 'Mail the voucher form and payment to:' + include_payment: You'll need to include the payment voucher form. + mail_voucher_and_payment: "Mail the voucher form and payment to:" md: refund_details_html: | You can check the status of your refund by visiting www.marylandtaxes.gov and clicking on "Where's my refund?" You can also call the automated refund inquiry hotline at 1-800-218-8160 (toll-free) or 410-260-7701. @@ -3993,7 +3989,7 @@ en: You'll need to enter your Social Security Number and the exact refund amount.

      You can also call the North Carolina Department of Revenue's toll-free refund inquiry line at 1-877-252-4052, available 24/7. - pay_by_mail_or_moneyorder: 'If you are paying by mail via check or money order:' + pay_by_mail_or_moneyorder: "If you are paying by mail via check or money order:" refund_details_html: 'Typical refund time frames are 7-8 weeks for e-Filed returns and 10-11 weeks for paper returns. There are some exceptions. For more information, please visit %{website_name} website: Where’s my Refund?' title: Your %{filing_year} %{state_name} state tax return is accepted additional_content: @@ -4020,8 +4016,8 @@ en: no_edit: body_html: Unfortunately, there has been an issue with filing your state return that cannot be resolved on our tool. We recommend you download your return to assist you in next steps. Chat with us or email us at help@fileyourstatetaxes.org for guidance on next steps. title: What can I do next? - reject_code: 'Reject Code:' - reject_desc: 'Reject Description:' + reject_code: "Reject Code:" + reject_desc: "Reject Description:" title: Unfortunately, your %{filing_year} %{state_name} state tax return was rejected review: county: County where you resided on December 31, %{filing_year} @@ -4041,7 +4037,7 @@ en: your_name: Your name review_header: income_details: Income Details - income_forms_collected: 'Income form(s) collected:' + income_forms_collected: "Income form(s) collected:" state_details_title: State Details your_refund: Your refund amount your_tax_owed: Your taxes owed @@ -4051,13 +4047,15 @@ en: term_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. term_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. term_4_html: "We are able to deliver messages to the following mobile phone carriers" - term_5: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' - term_6: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' + term_5: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." + term_6: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." term_7: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. - term_8_html: 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. + term_8_html: + 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. ' - term_9_html: 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy + term_9_html: + 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy ' title: Please review the FileYourStateTaxes text messaging terms and conditions @@ -4075,15 +4073,15 @@ en: nj_additional_content: body_html: You said you are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. body_mfj_html: You said you or your spouse are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. - header: 'Attention: if you are claiming the veteran exemption for the first time' + header: "Attention: if you are claiming the veteran exemption for the first time" tax_refund: bank_details: account_number: Account Number after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: 'Please provide your bank details:' + bank_title: "Please provide your bank details:" confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: 'When would you like the funds withdrawn from your account? (must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' + date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" foreign_accounts: Foreign accounts are not accepted routing_number: Routing Number withdraw_amount: How much do you authorize to be withdrawn from your account? (Your total amount due is: $%{owed_amount}.) @@ -4181,7 +4179,7 @@ en: apartment: Apartment/Unit Number box_10b_html: "Box 10b, State identification no." city: City - confirm_address_html: 'Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form.' + confirm_address_html: "Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form." confirm_address_no: No, I need to edit the address confirm_address_yes: Yes, that's the correct address dont_worry: If you have more than one 1099-G, don’t worry, you can add it on the next page. @@ -4216,7 +4214,7 @@ en: add_another: Add another 1099-G form delete_confirmation: Are you sure you want to delete this 1099-G? lets_review: Great! Thanks for sharing that information. Let’s review. - unemployment_compensation: 'Unemployment compensation: %{amount}' + unemployment_compensation: "Unemployment compensation: %{amount}" use_different_service: body: Before choosing an option, make sure it supports state-only tax filing. You most likely will need to reenter your federal tax return information in order to prepare your state tax return. Fees may apply. faq_link: Visit our FAQ @@ -4343,7 +4341,7 @@ en: cookies_3: We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Site to improve the way we promote our content and programs. cookies_4: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. cookies_header: Cookies - data_retention_1: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' + data_retention_1: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." data_retention_2: If you no longer wish to proceed with the FileYourStateTaxes application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. data_retention_header: Data Retention effective_date: This version of the policy is effective January 15, 2024. @@ -4352,7 +4350,7 @@ en: header_1_html: FileYourStateTaxes.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help households file their state taxes after using the federal IRS Direct File service. header_2_html: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. header_3_html: If you have any questions or concerns about this Privacy Notice, please contact us at help@fileyourstatetaxes.org - how_we_collect_your_info: 'We collect your information from various sources, such as when you or your household members:' + how_we_collect_your_info: "We collect your information from various sources, such as when you or your household members:" how_we_collect_your_info_header: How we collect your information how_we_collect_your_info_item_1: Visit our Site, fill out forms on our Site, or use our Services how_we_collect_your_info_item_2: Provide us with documents to use our Services @@ -4361,13 +4359,13 @@ en: independent_recourse_header: How to appeal a decision info_collect_1_html: We do not sell your personal information. We do not share your personal information with any third party, except as provided in this Privacy Policy, and consistent with 26 CFR 301.7216-2. Consistent with regulation, we may use or disclose your information in the following instances: info_collect_item_1: For analysis and reporting, we may share limited aggregate information with government agencies or other third parties, including the IRS or state departments of revenue, to analyze the use of our Services, in order to improve and expand our services. Such analysis is always performed using anonymized data, and data is never disclosed in cells smaller than ten returns. - info_collect_item_2: 'For research to improve our tax filing products, including:' + info_collect_item_2: "For research to improve our tax filing products, including:" info_collect_item_2_1: To invite you to complete questionnaires regarding your experience using our product. info_collect_item_2_2: To send you opportunities to participate in paid user research sessions, to learn more about your experience using our product and to guide the development of future free tax filing products. info_collect_item_3_html: To notify you of the availability of free tax filing services in the future. info_collect_item_4: If necessary, we may disclose your information to contractors who help us provide our services. We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. - info_collect_item_5: 'Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request.' - info_we_collect_1: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' + info_collect_item_5: "Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request." + info_we_collect_1: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" info_we_collect_header: Information we collect info_we_collect_item_1: Personal identifiers such as name, addresses, phone numbers, and email addresses info_we_collect_item_10: Household information and information about your spouse, if applicable @@ -4414,14 +4412,14 @@ en: body_1: When you opt-in to the service, we will send you an SMS message to confirm your signup. We will also text you updates on your tax return (message frequency will vary) and/or OTP/2FA codes (one message per request). body_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. body_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. - body_4: 'We are able to deliver messages to the following mobile phone carriers:' + body_4: "We are able to deliver messages to the following mobile phone carriers:" body_5a: As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider. body_5b_html: For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. body_6_html: 'If you have any questions regarding privacy, please read our privacy policy: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. header: FileYourStateTaxes text messaging terms and conditions - major_carriers: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' - minor_carriers: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' + major_carriers: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." + minor_carriers: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." state_information_service: az: department_of_taxation: Arizona Department of Revenue @@ -4532,7 +4530,7 @@ en: no_match_gyr: | Someone tried to sign in to GetYourRefund with this phone number, but we couldn't find a match. Did you sign up with a different phone number? You can also visit %{url} to get started. - with_code: 'Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes.' + with_code: "Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes." views: consent_pages: consent_to_disclose: @@ -4609,8 +4607,8 @@ en: contact_ta: Contact a Taxpayer Advocate contact_vita: Contact a VITA Site content_html: - - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. - - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. + - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. + - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. title: Unfortunately, you can’t use GetCTC because you already filed a %{current_tax_year} tax return. portal: bank_account: @@ -4641,7 +4639,7 @@ en: title: Edit your address messages: new: - body_label: 'Enter your message below:' + body_label: "Enter your message below:" title: Contact us wait_time: Please allow 3 business days for a response. primary_filer: @@ -4668,7 +4666,7 @@ en: i_dont_have_id: I don't have an ID id: Your driver's license or state ID card id_label: Photo of your ID - info: 'To protect your identity and verify your information, we''ll need you to submit the following two photos:' + info: "To protect your identity and verify your information, we'll need you to submit the following two photos:" paper_file: download_link_text: Download 1040 go_back: Submit my ID instead @@ -4702,8 +4700,8 @@ en: title: Did you receive any Advance Child Tax Credit payments from the IRS in 2021? question: Did you receive this amount? title: Did you receive a total of $%{adv_ctc_estimate} in Advance Child Tax Credit payments in 2021? - total_adv_ctc: 'We estimate that you should have received:' - total_adv_ctc_details_html: 'for the following dependents:' + total_adv_ctc: "We estimate that you should have received:" + total_adv_ctc_details_html: "for the following dependents:" yes_received: I received this amount advance_ctc_amount: details_html: | @@ -4722,15 +4720,15 @@ en: correct: Correct the amount I received no_file: I don’t need to file a return content: - - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. - - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. + - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. + - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. title: You have no more Child Tax Credit to claim. advance_ctc_received: already_received: Amount you received ctc_owed_details: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. - ctc_owed_title: 'You are eligible for an additional:' + ctc_owed_title: "You are eligible for an additional:" title: Ok, we calculated your Child Tax Credit. - total_adv_ctc: 'Total Advance CTC: %{amount}' + total_adv_ctc: "Total Advance CTC: %{amount}" already_completed: content_html: |

      You've completed all of our intake questions and we're reviewing and submitting your tax return.

      @@ -4747,17 +4745,17 @@ en:

      If you received a notice from the IRS this year about your return (Letter 5071C, Letter 6331C, or Letter 12C), then you already filed a federal return with the IRS this year.

      Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.

      reveal: - content_title: 'If you received any of the letters listed here, you’ve already filed:' + content_title: "If you received any of the letters listed here, you’ve already filed:" list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: I received a different letter from the IRS. Does that mean I already filed? title: Did you file a %{current_tax_year} federal tax return with the IRS this year? title: Did you file a %{current_tax_year} tax return this year? @@ -4780,9 +4778,9 @@ en: help_text: The Earned Income Tax Credit (EITC) is a tax credit that can give you up to $6,700. info_box: list: - - You had a job earning money in %{current_tax_year} - - Each person on this return has an SSN - title: 'Requirements:' + - You had a job earning money in %{current_tax_year} + - Each person on this return has an SSN + title: "Requirements:" title: Would you like to claim more money by sharing any 2021 W-2 forms? confirm_bank_account: bank_information: Your bank information @@ -4817,15 +4815,15 @@ en: confirm_payment: client_not_collecting: You are not collecting any payments, please edit your tax return. ctc_0_due_link: Claim children for CTC - ctc_due: 'Child Tax Credit payments:' + ctc_due: "Child Tax Credit payments:" do_not_file: Do not file do_not_file_flash_message: Thank you for using GetCTC! We will not file your return. - eitc: 'Earned Income Tax Credit:' - fed_income_tax_withholding: 'Federal Income Tax Withholding:' + eitc: "Earned Income Tax Credit:" + fed_income_tax_withholding: "Federal Income Tax Withholding:" subtitle: You’re almost done! Please confirm your refund information. - third_stimulus: 'Third Stimulus Payment:' - title: 'Review this list of the payments you are claiming:' - total: 'Total refund amount:' + third_stimulus: "Third Stimulus Payment:" + title: "Review this list of the payments you are claiming:" + total: "Total refund amount:" confirm_primary_prior_year_agi: primary_prior_year_agi: Your %{prior_tax_year} AGI confirm_spouse_prior_year_agi: @@ -4833,7 +4831,7 @@ en: contact_preference: body: We’ll send a code to verify your contact information so that we can send updates on your return. Please select the option that works best! email: Email me - sms_policy: 'Note: Standard SMS message rates apply. We will not share your information with any outside parties.' + sms_policy: "Note: Standard SMS message rates apply. We will not share your information with any outside parties." text: Text me title: What is the best way to reach you? dependents: @@ -4843,8 +4841,8 @@ en: child_claim_anyway: help_text: list: - - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. - - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. + - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. + - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. p1: If you and the other person who could claim the dependent are both their legal parents... p2: If you are %{name}’s legal parent and the other person who could claim them is not, then you can claim them. legal_parent_reveal: @@ -4865,7 +4863,7 @@ en: info: A doctor determines that you have a permanent disability when you are unable to do a majority of your work because of a physical or mental condition. title: What is the definition of permanently and totally disabled? full_time_student: "%{name} was a full-time student" - help_text: 'Select any situations that were true in %{current_tax_year}:' + help_text: "Select any situations that were true in %{current_tax_year}:" permanently_totally_disabled: "%{name} was permanently and totally disabled" student_reveal: info_html: | @@ -4878,10 +4876,10 @@ en: reveal: body: If your dependent was at a temporary location in 2021, select the number of months that your home was their official address. list: - - school - - medical facility - - a juvenile facility - list_title: 'Some examples of temporary locations:' + - school + - medical facility + - a juvenile facility + list_title: "Some examples of temporary locations:" title: What if my dependent was away for some time in 2021? select_options: eight: 8 months @@ -4899,31 +4897,31 @@ en: does_my_child_qualify_reveal: content: list_1: - - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. + - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. list_2: - - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' + - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' p1: Who counts as a foster child? p2: What if I have an adopted child? title: Does my child qualify? does_not_qualify_ctc: conditions: - - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. - - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. - - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. - - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. + - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. + - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. + - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. + - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. help_text: We will not save %{name} to your tax return. They do not qualify for any tax credits. puerto_rico: affirmative: Yes, add another child conditions: - - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. - - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. - - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. - - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. - - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. + - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. + - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. + - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. + - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. + - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. help_text: We will not save %{name} to your tax return. They do not qualify for Child Tax Credit payments. negative: No, continue title: You can not claim Child Tax Credit for %{name}. Would you like to add anyone else? @@ -4936,7 +4934,7 @@ en: last_name: Legal last name middle_initial: Legal middle name(s) (optional) relationship_to_you: What is their relationship to you? - situations: 'Select if the following is true:' + situations: "Select if the following is true:" suffix: Suffix (optional) title: Let’s get their basic information! relative_financial_support: @@ -4948,7 +4946,7 @@ en: gross_income_reveal: content: "“Gross income” generally includes all income received during the year, including both earned and unearned income. Examples include wages, cash from your own business or side job, unemployment income, or Social Security income." title: What is gross income? - help_text: 'Select any situations that were true in %{current_tax_year}:' + help_text: "Select any situations that were true in %{current_tax_year}:" income_requirement: "%{name} earned less than $4,300 in gross income." title: We just need to verify a few more things. remove_dependent: @@ -5003,7 +5001,7 @@ en: info: A qualified homeless youth is someone who is homeless or at risk of homelessness, who supports themselves financially. You must be between 18-24 years old and can not be under physical custody of a parent or guardian. title: Am I a qualified homeless youth? not_full_time_student: I was not a full time student - title: 'Select any of the situations that were true in %{current_tax_year}:' + title: "Select any of the situations that were true in %{current_tax_year}:" email_address: title: Please share your email address. file_full_return: @@ -5012,14 +5010,14 @@ en: help_text2: If you file a full tax return you could receive additional cash benefits from the Earned Income Tax Credit, state tax credits, and more. help_text_eitc: If you have income that is reported on a 1099-NEC or a 1099-K you should file a full tax return instead. list_1_eitc: - - Child Tax Credit - - 3rd Stimulus Check - - Earned Income Tax Credit - list_1_eitc_title: 'You can file a simplified tax return to claim the:' + - Child Tax Credit + - 3rd Stimulus Check + - Earned Income Tax Credit + list_1_eitc_title: "You can file a simplified tax return to claim the:" list_2_eitc: - - Stimulus check 1 or 2 - - State tax credits or stimulus payments - list_2_eitc_title: 'You cannot use this tool to claim:' + - Stimulus check 1 or 2 + - State tax credits or stimulus payments + list_2_eitc_title: "You cannot use this tool to claim:" puerto_rico: full_btn: File a Puerto Rico tax return help_text: This is not a Puerto Rico return with Departamento de Hacienda. If you want to claim additional benefits (like the Earned Income Tax Credit, any of the stimulus payments, or other Puerto Rico credits) you will need to file a separate Puerto Rico Tax Return with Hacienda. @@ -5027,9 +5025,9 @@ en: title: You are currently filing a simplified tax return to claim only your Child Tax Credit. reveal: body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How can I get the first two stimulus payments? simplified_btn: Continue filing a simplified return title: You are currently filing a simplified tax return to claim only your Child Tax Credit and third stimulus payment. @@ -5042,7 +5040,7 @@ en: puerto_rico: did_not_file: No, I didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, I filed an IRS tax return - note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' + note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." title: Did you file a %{prior_tax_year} federal tax return with the IRS? title: Did you file a %{prior_tax_year} tax return? filing_status: @@ -5063,54 +5061,54 @@ en: title: To claim your Child Tax Credit, you must add your dependents (children or others who you financially support) which_relationships_qualify_reveal: content: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Parent - - Step Parent - - Grandparent - - Aunt - - Uncle - - In Laws - - Other descendants of my siblings - - Other relationship not listed + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Parent + - Step Parent + - Grandparent + - Aunt + - Uncle + - In Laws + - Other descendants of my siblings + - Other relationship not listed content_puerto_rico: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Other descendants of my siblings + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Other descendants of my siblings title: Which relationships qualify? head_of_household: claim_hoh: Claim HoH status do_not_claim_hoh: Do not claim HoH status eligibility_b_criteria_list: - - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse - - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses - - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses + - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse + - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses + - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses eligibility_list_a: a. You are not married - eligibility_list_b: 'b. You have one or more of the following:' + eligibility_list_b: "b. You have one or more of the following:" eligibility_list_c_html: "c. You pay at least half the cost of keeping up the home where this dependent lives — costs including property taxes, mortgage interest, rent, utilities, upkeep/repairs, and food consumed." full_list_of_rules_html: The full list of Head of Household rules is available here. If you choose to claim Head of Household status, you understand that you are responsible for reviewing these rules and ensuring that you are eligible. subtitle_1: Because you are claiming dependents, you may be eligible to claim Head of Household tax status on your return. Claiming Head of Household status will not increase your refund, and will not make you eligible for any additional tax benefits. We do not recommend you claim Head of Household status. - subtitle_2: 'You are likely eligible for Head of Household status if:' + subtitle_2: "You are likely eligible for Head of Household status if:" title: Claiming Head of Household status will not increase your refund. income: income_source_reveal: @@ -5118,49 +5116,49 @@ en: title: How do I know the source of my income? list: one: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason other: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason mainland_connection_reveal: content: If your family and your belongings are located in any of the 50 states or in a foreign country rather than Puerto Rico, or your community engagements are stronger in the 50 states or in a foreign country than they are in Puerto Rico, then you can’t use GetCTC as a Puerto Rican resident. title: What does it mean to have a closer connection to the mainland U.S. than to Puerto Rico? puerto_rico: list: one: - - you earned less than %{standard_deduction} in total income - - you earned less than $400 in self-employment income - - you are not required to file a full tax return for any other reason - - all of your earned income came from sources within Puerto Rico - - you lived in Puerto Rico for at least half the year (183 days) - - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you earned less than %{standard_deduction} in total income + - you earned less than $400 in self-employment income + - you are not required to file a full tax return for any other reason + - all of your earned income came from sources within Puerto Rico + - you lived in Puerto Rico for at least half the year (183 days) + - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else other: - - you and your spouse earned less than %{standard_deduction} in total income - - you and your spouse earned less than $400 in self-employment income - - you and your spouse are not required to file a full tax return for any other reason - - all of your and your spouse's earned income came from sources within Puerto Rico - - you and your spouse lived in Puerto Rico for at least half the year (183 days) - - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you and your spouse earned less than %{standard_deduction} in total income + - you and your spouse earned less than $400 in self-employment income + - you and your spouse are not required to file a full tax return for any other reason + - all of your and your spouse's earned income came from sources within Puerto Rico + - you and your spouse lived in Puerto Rico for at least half the year (183 days) + - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else self_employment_income_reveal: content: list_1: - - 1099 contract work - - gig work - - driving for Uber, Lyft, or similar - - renting out your home + - 1099 contract work + - gig work + - driving for Uber, Lyft, or similar + - renting out your home p1: Self-employment income is generally any money that you made from your own business, or in some cases working part time for an employer. Self-employment income is reported to you on a 1099 rather than a W-2. - p2: 'If your employer calls you a ''contractor'' rather than an ''employee,'' your income from that job is probably self-employment income. Self-employment income could include:' + p2: "If your employer calls you a 'contractor' rather than an 'employee,' your income from that job is probably self-employment income. Self-employment income could include:" title: What counts as self-employment income? title: - one: 'You can only use GetCTC if, in %{current_tax_year}, you:' - other: 'You can only use GetCTC if, in %{current_tax_year}, you and your spouse:' + one: "You can only use GetCTC if, in %{current_tax_year}, you:" + other: "You can only use GetCTC if, in %{current_tax_year}, you and your spouse:" what_is_aptc_reveal: content: p1: The Advance Premium Tax Credit is a subsidy some households get for their health insurance coverage. @@ -5169,13 +5167,13 @@ en: title: What is the Advance Premium Tax Credit? income_qualifier: list: - - salary - - hourly wages - - dividends and interest - - tips - - commissions - - self-employment or contract payments - subtitle: 'Income could come from any of the following sources:' + - salary + - hourly wages + - dividends and interest + - tips + - commissions + - self-employment or contract payments + subtitle: "Income could come from any of the following sources:" title: one: Did you make less than %{standard_deduction} in %{current_tax_year}? other: Did you and your spouse make less than %{standard_deduction} in %{current_tax_year}? @@ -5198,7 +5196,7 @@ en:

      The IRS issues you a new IP PIN every year, and you must provide this year's PIN.

      Click here to retrieve your IP PIN from the IRS.

      irs_language_preference: - select_language: 'Please select your preferred language:' + select_language: "Please select your preferred language:" subtitle: The IRS may reach out with questions. You have the option to select a preferred language. title: What language do you want the IRS to use when they contact you? legal_consent: @@ -5259,8 +5257,8 @@ en: add_dependents: Add more dependents puerto_rico: subtitle: - - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. - - If this is a mistake you can click ‘Add a child’. + - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. + - If this is a mistake you can click ‘Add a child’. title: You will not receive the Child Tax Credit. subtitle: Based on your current answers you will not receive the Child Tax Credit, because you have no eligible dependents. title: You will not receive the Child Tax Credit, but you may continue to collect other cash payments. @@ -5270,11 +5268,11 @@ en: non_w2_income: additional_income: list: - - contractor income - - interest income - - unemployment income - - any other money you received - list_title: 'Additional income includes:' + - contractor income + - interest income + - unemployment income + - any other money you received + list_title: "Additional income includes:" title: one: Did you make more than %{additional_income_amount} in additional income? other: Did you and your spouse make more than %{additional_income_amount} in additional income? @@ -5283,7 +5281,7 @@ en: faq: Visit our FAQ home: Go to the homepage content: - - We will not send any of your information to the IRS. + - We will not send any of your information to the IRS. title: You’ve decided to not file a tax return. overview: help_text: Use our simple e-filing tool to receive your Child Tax Credit and, if applicable, your third stimulus payment. @@ -5308,13 +5306,13 @@ en: restrictions: cannot_use_ctc: I can't use GetCTC list: - - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then - - you have income in tips from a service job that was not reported to your employer - - you want to file Form 8332 in order to claim a child who does not live with you - - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS - - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} - - you bought or sold cryptocurrency in %{current_tax_year} - list_title: 'You can not use GetCTC if:' + - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then + - you have income in tips from a service job that was not reported to your employer + - you want to file Form 8332 in order to claim a child who does not live with you + - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS + - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} + - you bought or sold cryptocurrency in %{current_tax_year} + list_title: "You can not use GetCTC if:" multiple_support_agreement_reveal: content: p1: A multiple support agreement is a formal arrangement you make with family or friends to jointly care for a child or relative. @@ -5348,7 +5346,7 @@ en: did_not_file: No, %{spouse_first_name} didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, %{spouse_first_name} filed an IRS tax return separately from me filed_together: Yes, %{spouse_first_name} filed an IRS tax return jointly with me - note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' + note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." title: Did %{spouse_first_name} file a %{prior_tax_year} federal tax return with the IRS? title: Did %{spouse_first_name} file a %{prior_tax_year} tax return? spouse_info: @@ -5375,15 +5373,15 @@ en: title: What was %{spouse_first_name}’s %{prior_tax_year} Adjusted Gross Income? spouse_review: help_text: We have added the following person as your spouse on your return. - spouse_birthday: 'Date of birth: %{dob}' - spouse_ssn: 'SSN: XXX-XX-%{ssn}' + spouse_birthday: "Date of birth: %{dob}" + spouse_ssn: "SSN: XXX-XX-%{ssn}" title: Let's confirm your spouse's information. your_spouse: Your spouse stimulus_owed: amount_received: Amount you received correction: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. eip_three: Third stimulus - eligible_for: 'You are claiming an additional:' + eligible_for: "You are claiming an additional:" title: It looks like you are still owed some of the third stimulus payment. stimulus_payments: different_amount: I received a different amount @@ -5391,15 +5389,15 @@ en: question: Did you receive this amount? reveal: content_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How do I get the first two stimulus payments? third_stimulus: We estimate that you should have received third_stimulus_details: - - based on your filing status and dependents. - - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. - - For example, a parent caring for two children would have received $4,200. + - based on your filing status and dependents. + - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. + - For example, a parent caring for two children would have received $4,200. this_amount: I received this amount title: Did you receive a total of %{third_stimulus_amount} for your third stimulus payment? stimulus_received: @@ -5417,39 +5415,39 @@ en: use_gyr: file_gyr: File with GetYourRefund puerto_rico: - address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069.' - in_person: 'In-person:' + address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069." + in_person: "In-person:" online_html: 'Online filing: https://myfreetaxes.com/' - pr_number: 'Puerto Rico Helpline: 877-722-9832' - still_file: 'You may still be able to file to claim your benefits. For additional help, consider reaching out to:' - virtual: 'Virtual: MyFreeTaxes' + pr_number: "Puerto Rico Helpline: 877-722-9832" + still_file: "You may still be able to file to claim your benefits. For additional help, consider reaching out to:" + virtual: "Virtual: MyFreeTaxes" why_ineligible_reveal: content: list: - - You earned more than $400 in self-employment income - - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country - - You did not live in Puerto Rico for more than half of %{current_tax_year} - - You moved in or out of Puerto Rico during %{current_tax_year} - - You can be claimed as a dependent by someone else - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + - You earned more than $400 in self-employment income + - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country + - You did not live in Puerto Rico for more than half of %{current_tax_year} + - You moved in or out of Puerto Rico during %{current_tax_year} + - You can be claimed as a dependent by someone else + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. still_benefit: You could still benefit by filing a full tax return for free using GetYourRefund. title: Unfortunately, you are not eligible to use GetCTC. visit_our_faq: Visit our FAQ why_ineligible_reveal: content: list: - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You earned more than $400 in self-employment income - - You can be claimed as a dependent - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. - p: 'Some reasons you might be ineligible to use GetCTC are:' + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You earned more than $400 in self-employment income + - You can be claimed as a dependent + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + p: "Some reasons you might be ineligible to use GetCTC are:" title: Why am I ineligible? verification: - body: 'A message with your code has been sent to:' + body: "A message with your code has been sent to:" error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -5461,20 +5459,20 @@ en: done_adding: Finished adding all W-2s dont_add_w2: I don't want to add my W-2 employee_info: - employee_city: 'Box e: City' - employee_legal_name: 'Select the legal name on the W2:' - employee_state: 'Box e: State' - employee_street_address: 'Box e: Employee street address or P.O. box' - employee_zip_code: 'Box e: Zip code' + employee_city: "Box e: City" + employee_legal_name: "Select the legal name on the W2:" + employee_state: "Box e: State" + employee_street_address: "Box e: Employee street address or P.O. box" + employee_zip_code: "Box e: Zip code" title: one: Let’s start by entering some basic info for %{name}. other: Let’s start by entering some basic info. employer_info: add: Add W-2 - box_d_control_number: 'Box d: Control number' + box_d_control_number: "Box d: Control number" employer_city: City - employer_ein: 'Box b: Employer Identification Number (EIN)' - employer_name: 'Box c: Employer Name' + employer_ein: "Box b: Employer Identification Number (EIN)" + employer_name: "Box c: Employer Name" employer_state: State employer_street_address: Employer street address or P.O. box employer_zip_code: Zip code @@ -5485,31 +5483,31 @@ en: other: A W-2 is an official tax form given to you by your employer. Enter all of you and your spouse’s W-2s to get the Earned Income Tax Credit and avoid delays. p2: The form you enter must have W-2 printed on top or it will not be accepted. misc_info: - box11_nonqualified_plans: 'Box 11: Nonqualified plans' + box11_nonqualified_plans: "Box 11: Nonqualified plans" box12_error: Must provide both code and value box12_value_error: Value must be numeric - box12a: 'Box 12a:' - box12b: 'Box 12b:' - box12c: 'Box 12c:' - box12d: 'Box 12d:' - box13: 'Box 13: If marked on your W-2, select the matching option below' + box12a: "Box 12a:" + box12b: "Box 12b:" + box12c: "Box 12c:" + box12d: "Box 12d:" + box13: "Box 13: If marked on your W-2, select the matching option below" box13_retirement_plan: Retirement plan box13_statutory_employee: Statutory employee box13_third_party_sick_pay: Third-party sick pay box14_error: Must provide both description and amount - box14_other: 'Box 14: Other' + box14_other: "Box 14: Other" box15_error: Must provide both state and employer's state ID number - box15_state: 'Box 15: State and Employer’s State ID number' - box16_state_wages: 'Box 16: State wages, tips, etc.' - box17_state_income_tax: 'Box 17: State income tax' - box18_local_wages: 'Box 18: Local wages, tips, etc.' - box19_local_income_tax: 'Box 19: Local income tax' - box20_locality_name: 'Box 20: Locality name' + box15_state: "Box 15: State and Employer’s State ID number" + box16_state_wages: "Box 16: State wages, tips, etc." + box17_state_income_tax: "Box 17: State income tax" + box18_local_wages: "Box 18: Local wages, tips, etc." + box19_local_income_tax: "Box 19: Local income tax" + box20_locality_name: "Box 20: Locality name" remove_this_w2: Remove this W-2 - requirement_title: 'Requirement:' + requirement_title: "Requirement:" requirements: - - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. - - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. + - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. + - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. submit: Save this W-2 title: Let’s finish entering %{name}’s W-2 information. note_html: "Note: If you do not add a W-2 you will not receive the Earned Income Tax Credit. However, you can still claim the other credits if available to you." @@ -5525,19 +5523,19 @@ en: title: Please share the income from your W-2. wages: Wages wages_info: - box10_dependent_care_benefits: 'Box 10: Dependent care benefits' - box3_social_security_wages: 'Box 3: Social Security wages' - box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' - box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' - box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' - box7_social_security_tips_amount: 'Box 7: Social Security tips amount' - box8_allocated_tips: 'Box 8: Allocated tips' - federal_income_tax_withheld: 'Box 2: Federal Income Tax Withheld' + box10_dependent_care_benefits: "Box 10: Dependent care benefits" + box3_social_security_wages: "Box 3: Social Security wages" + box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" + box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" + box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" + box7_social_security_tips_amount: "Box 7: Social Security tips amount" + box8_allocated_tips: "Box 8: Allocated tips" + federal_income_tax_withheld: "Box 2: Federal Income Tax Withheld" info_box: requirement_description_html: Please enter the information exactly as it appears on your W-2. If there are blank boxes on your W-2, please leave them blank in the boxes below as well. - requirement_title: 'Requirement:' + requirement_title: "Requirement:" title: Great! Please enter all of %{name}’s wages, tips, and taxes withheld from this W-2. - wages_amount: 'Box 1: Wages Amount' + wages_amount: "Box 1: Wages Amount" shared: ssn_not_valid_for_employment: This person's SSN card has "Not valid for employment" printed on it. (This is rare) ctc_pages: @@ -5545,21 +5543,21 @@ en: compare_benefits: ctc: list: - - Federal stimulus payments - - Child Tax Credit + - Federal stimulus payments + - Child Tax Credit note_html: If you file with GetCTC, you can file an amended return later to claim the additional credits you would have received by filing with GetYourRefund. This process can be quite difficult, and you would likely need assistance from a tax professional. - p1_html: 'A household with 1 child under the age of 6 may receive an average of: $7,500' - p2_html: 'A household with no children may receive an average of: $3,200' + p1_html: "A household with 1 child under the age of 6 may receive an average of: $7,500" + p2_html: "A household with no children may receive an average of: $3,200" gyr: list: - - Federal stimulus payments - - Child Tax Credit - - Earned Income Tax Credit - - California Earned Income Tax Credit - - Golden State Stimulus payments - - California Young Child Tax Credit - p1_html: 'A household with 1 child under the age of 6 may receive an average of: $12,200' - p2_html: 'A household with no children may receive an average of: $4,300' + - Federal stimulus payments + - Child Tax Credit + - Earned Income Tax Credit + - California Earned Income Tax Credit + - Golden State Stimulus payments + - California Young Child Tax Credit + p1_html: "A household with 1 child under the age of 6 may receive an average of: $12,200" + p2_html: "A household with no children may receive an average of: $4,300" title: Compare benefits compare_length: ctc: 30 minutes @@ -5568,12 +5566,12 @@ en: compare_required_info: ctc: list: - - Social Security or ITIN Numbers + - Social Security or ITIN Numbers gyr: list: - - Employment documents - - "(W2’s, 1099’s, etc.)" - - Social Security or ITIN Numbers + - Employment documents + - "(W2’s, 1099’s, etc.)" + - Social Security or ITIN Numbers helper_text: Documents are required for each family member on your tax return. title: Compare required information ctc: GetCTC @@ -5719,58 +5717,58 @@ en: title: GetCTC Outreach and Navigator Resources privacy_policy: 01_intro: - - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. - - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. + - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. + - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. 02_questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} 03_overview: Overview 04_info_we_collect: Information we collect - 05_info_we_collect_details: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' + 05_info_we_collect_details: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" 06_info_we_collect_list: - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Characteristics of protected classifications, such as gender, race, and ethnicity - - Tax information, such as social security number or individual taxpayer identification number (ITIN) - - State-issued identification, such as driver’s license number - - Financial information, such as employment, income and income sources - - Banking details for direct deposit of refunds - - Details of dependents - - Household information and information about your spouse, if applicable - - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Characteristics of protected classifications, such as gender, race, and ethnicity + - Tax information, such as social security number or individual taxpayer identification number (ITIN) + - State-issued identification, such as driver’s license number + - Financial information, such as employment, income and income sources + - Banking details for direct deposit of refunds + - Details of dependents + - Household information and information about your spouse, if applicable + - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) 07_info_required_by_irs: We collect information as required by the IRS in Revenue Procedure “Rev RP-21-24.” - '08_how_we_collect': How we collect your information - '09_various_sources': We collect your information from various sources, such as when you or your household members + "08_how_we_collect": How we collect your information + "09_various_sources": We collect your information from various sources, such as when you or your household members 10_various_sources_list: - - Visit our Site, fill out forms on our Site, or use our Services - - Provide us with documents to use our Services - - Communicate with us (for instance through email, chat, social media, or otherwise) + - Visit our Site, fill out forms on our Site, or use our Services + - Provide us with documents to use our Services + - Communicate with us (for instance through email, chat, social media, or otherwise) 11_third_parties: We may also collect your information from third-parties such as 12_third_parties_list: - - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for - - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services + - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for + - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services 13_using_information: Using information we have collected 14_using_information_details: We use your information for our business purposes and legitimate interests such as 14_using_information_list: - - To help connect you with the free tax preparation services or any other benefit programs that you apply for - - To complete forms required for use of the Services or filing of your taxes - - To provide support to you through the process and communicate with you - - To monitor and understand how the Site and our Services are used - - To improve the quality or scope of the Site or our Services - - To suggest other services or assistance programs that may be useful to you - - For fraud detection, prevention, and security purposes - - To comply with legal requirements and obligations - - For research + - To help connect you with the free tax preparation services or any other benefit programs that you apply for + - To complete forms required for use of the Services or filing of your taxes + - To provide support to you through the process and communicate with you + - To monitor and understand how the Site and our Services are used + - To improve the quality or scope of the Site or our Services + - To suggest other services or assistance programs that may be useful to you + - For fraud detection, prevention, and security purposes + - To comply with legal requirements and obligations + - For research 15_information_shared_with_others: Information shared with others 16_we_dont_sell: We do not sell your personal information. 17_disclose_to_others_details: We do not share personal information to any third party, except as provided in this Privacy Policy. We may disclose information to contractors, affiliated organizations, and/or unaffiliated third parties to provide the Services to you, to conduct our business, or to help with our business activities. For example, we may share your information with 18_disclose_to_others_list_html: - - VITA providers to help prepare and submit your tax returns - - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments - - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates - - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. + - VITA providers to help prepare and submit your tax returns + - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments + - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates + - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. 19_require_third_parties: We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. 20_may_share_third_parties: We may share your information with third parties in special situations, such as when required by law, or we believe sharing will help to protect the safety, property, or rights of Code for America, the people we serve, our associates, or other persons. 21_may_share_government: We may share limited, aggregated, or personal information with government agencies, such as the IRS, to analyze the use of our Services, free tax preparation service providers, and the Child Tax Credit in order to improve and expand our Services. We will not share any information with the IRS that has not already been disclosed on your tax return or through the GetCTC website. @@ -5779,15 +5777,15 @@ en: 24_your_choices_contact_methods: Postal mail, email, and promotions 25_to_update_prefs: To update your preferences or contact information, you may 26_to_update_prefs_list_html: - - contact us at %{email_link} and request removal from the GetCTC update emails - - follow the opt-out instructions provided in emails or postal mail - - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America + - contact us at %{email_link} and request removal from the GetCTC update emails + - follow the opt-out instructions provided in emails or postal mail + - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America 27_unsubscribe_note: Please note that even if you unsubscribe from promotional email offers and updates, we may still contact you for transactional purposes. For example, we may send communications regarding your tax return status, reminders, or to alert you of additional information needed. 28_cookies: Cookies 29_cookies_details: Cookies are small text files that websites place on the computers and mobile devices of people who visit those websites. Pixel tags (also called web beacons) are small blocks of code placed on websites and emails. 30_cookies_list: - - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. - - Your use of our Sites indicates your consent to such use of Cookies. + - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. + - Your use of our Sites indicates your consent to such use of Cookies. 31_cookies_default: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. 32_sms: Transactional SMS (Text) Messages 33_sms_details_html: You may unsubscribe to transactional messages by texting STOP to 58750 at any time. After we receive your opt-out request, we will send you a final text message to confirm your opt-out. Please see GetYourRefund's SMS terms, for additional details and opt-out instructions for these services. Data obtained through the short code program will not be shared with any third-parties for their marketing reasons/purposes. @@ -5797,44 +5795,44 @@ en: 37_additional_services_details: We may provide additional links to resources we think you'll find useful. These links may lead you to sites that are not affiliated with us and/or may operate under different privacy practices. We are not responsible for the content or privacy practices of such other sites. We encourage our visitors and users to be aware when they leave our site and to read the privacy statements of any other site as we do not control how other sites collect personal information 38_how_we_protect: How we protect your information 39_how_we_protect_list: - - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. - - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. + - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. + - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. 40_retention: Data Retention 41_retention_list: - - 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' - - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. + - "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." + - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. 42_children: Children’s privacy 43_children_details: We do not knowingly collect personal information from unemancipated minors under 16 years of age. 44_changes: Changes 45_changes_summary: We may change this Privacy Policy from time to time. Please check this page frequently for updates as your continued use of our Services after any changes in this Privacy Policy will constitute your acceptance of the changes. For material changes, we will notify you via email, or other means consistent with applicable law. 46_access_request: Your Rights 47_access_request_list_html: - - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request a portable copy or deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. - - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. + - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. + - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. 47_effective_date: Effective Date 48_effective_date_info: This version of the policy is effective October 22, 2021. 49_questions: Questions 50_questions_list_html: - - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. - - 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' + - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. + - "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" 51_do_our_best: We will do our best to resolve the issue. puerto_rico: hero: - - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. - - This form usually takes about 15 minutes to complete, and you won't need any tax documents. + - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. + - This form usually takes about 15 minutes to complete, and you won't need any tax documents. title: Puerto Rico, you can get Child Tax Credit for your family! what_is: body: - - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. - - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! + - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. + - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! heading: Most families in Puerto Rico can get thousands of dollars from the Child Tax Credit by filing with the IRS! how_much_reveal: body: - - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. + - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. title: How much will I get? qualify_reveal: body: - - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. + - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. title: Do my children qualify? puerto_rico_overview: cta: You are about to file a tax return. You are responsible for answering questions truthfully and accurately to the best of your ability. @@ -5883,8 +5881,8 @@ en: heading_open: Most families can get thousands of dollars from the third stimulus payment reveals: first_two_body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. first_two_title: What about the first two stimulus payments? how_much_ctc_body: The third stimulus payment was usually issued in March or April 2021, and was worth $1,400 per adult tax filer plus $1,400 per eligible dependent. If you received less than you deserved in 2021, or didn’t receive any payment at all, you can claim your missing stimulus payment by filing a simple tax return. how_much_ctc_title: How much will I get from the Child Tax Credit? @@ -5918,7 +5916,7 @@ en: title: Let’s claim someone! documents: additional_documents: - document_list_title: 'Based on your earlier answers, you might have the following:' + document_list_title: "Based on your earlier answers, you might have the following:" help_text: If you have any other documents that might be relevant, please share them with us below. It will help us better prepare your taxes! title: Please share any additional documents. employment: @@ -5945,14 +5943,14 @@ en: one: The IRS requires us to see a current drivers license, passport, or state ID. other: The IRS requires us to see a current drivers license, passport, or state ID for you and your spouse. info: We will use your ID card to verify and protect your identity in accordance with IRS guidelines. It is ok if your ID is expired or if you have a temporary drivers license as long as we can clearly view your name and photo. - need_for: 'We will need an ID for:' + need_for: "We will need an ID for:" title: one: Attach a photo of your ID card other: Attach photos of ID cards intro: info: Based on your answers to our earlier questions, we have a list of documents you should share. Your progress will be saved and you can return with more documents later. - note: 'Note: If you have other documents, you will have a chance to share those as well.' - should_have: 'You should have the following documents:' + note: "Note: If you have other documents, you will have a chance to share those as well." + should_have: "You should have the following documents:" title: Now, let's collect your tax documents! overview: empty: No documents of this type were uploaded. @@ -5973,7 +5971,7 @@ en: submit_photo: Submit a photo selfies: help_text: The IRS requires us to verify who you are for tax preparation services. - need_for_html: 'We will need to see a photo with ID for:' + need_for_html: "We will need to see a photo with ID for:" title: Share a photo of yourself holding your ID card spouse_ids: expanded_id: @@ -5987,7 +5985,7 @@ en: help_text: The IRS requires us to see an additional form of identity. We use a second form of ID to verify and protect your identity in accordance with IRS guidelines. title: Attach photos of an additional form of ID help_text: The IRS requires us to see a valid Social Security Card or ITIN Paperwork for everyone in the household for tax preparation services. - need_for: 'We will need a SSN or ITIN for:' + need_for: "We will need a SSN or ITIN for:" title: Attach photos of Social Security Card or ITIN layouts: admin: @@ -6058,7 +6056,7 @@ en: closed_open_for_login_banner_html: GetYourRefund services are closed for this tax season. We look forward to providing our free tax assistance again starting in January. For free tax prep now, you can search for a VITA location in your area. faq: faq_cta: Read our FAQ - header: 'Common Tax Questions:' + header: "Common Tax Questions:" header: Free tax filing, made simple. open_intake_post_tax_deadline_banner: Get started with GetYourRefund by %{end_of_intake} if you want to file with us in 2024. If your return is in progress, sign in and submit your documents by %{end_of_docs}. security: @@ -6088,7 +6086,7 @@ en: description: We do not knowingly collect personal information from unemancipated minors under 16 years of age. header: Children’s privacy data_retention: - description: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law.' + description: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law." header: Data Retention description: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. effective_date: @@ -6112,7 +6110,7 @@ en: demographic: Demographic information, such as age and marital status device_information: Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) financial_information: Financial information, such as employment, income and income sources - header: 'We may collect the following information about you, your dependents, or members of your household:' + header: "We may collect the following information about you, your dependents, or members of your household:" personal_identifiers: Personal identifiers such as name, addresses, phone numbers, and email addresses protected_classifications: Characteristics of protected classifications, such as gender, race, and ethnicity state_information: State-issued identification, such as driver’s license number @@ -6180,7 +6178,7 @@ en: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' + description_html: "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" header: Questions resolve: We will do our best to resolve the issue questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} @@ -6200,9 +6198,9 @@ en: title: SMS terms stimulus: facts_html: - - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! - - Check the status of your stimulus check on the IRS Get My Payment website - - 'Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639' + - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! + - Check the status of your stimulus check on the IRS Get My Payment website + - "Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639" file_with_help: header: Collect your 2020 stimulus check by filing your taxes today! heading: Need assistance getting your stimulus check? @@ -6211,117 +6209,117 @@ en: eip: header: Economic Impact Payment (stimulus) check FAQs items: - - title: Will the EIP check affect my other government benefits? - content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. - - title: I still need to file a tax return. How long are the economic impact payments available? - content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. - - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? - content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. - - title: What if I am overdrawn at my bank? - content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. - - title: What if someone offers a quicker payment? - content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. + - title: Will the EIP check affect my other government benefits? + content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. + - title: I still need to file a tax return. How long are the economic impact payments available? + content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. + - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? + content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. + - title: What if I am overdrawn at my bank? + content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. + - title: What if someone offers a quicker payment? + content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. how_to_get_paid: header: How to get paid items: - - title: How do I get my Economic Impact Payment check? - content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. - - title: How do I determine if the IRS has sent my stimulus check? - content_html: |- - If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS - Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must - view or create an online account with the IRS. - - title: What if there are issues with my bank account information? - content_html: |- - If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the - Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. - - title: What if I haven’t filed federal taxes? - content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. - - title: What if I don’t have a bank account? - content_html: |- - If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, - sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or - Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. - - title: What if I moved since last year? - content_html: |- - The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the - IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. + - title: How do I get my Economic Impact Payment check? + content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. + - title: How do I determine if the IRS has sent my stimulus check? + content_html: |- + If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS + Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must + view or create an online account with the IRS. + - title: What if there are issues with my bank account information? + content_html: |- + If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the + Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. + - title: What if I haven’t filed federal taxes? + content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. + - title: What if I don’t have a bank account? + content_html: |- + If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, + sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or + Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. + - title: What if I moved since last year? + content_html: |- + The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the + IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. header: Get your Stimulus Check (EIP) intro: common_questions: We know there are many questions around the Economic Impact Payments (EIP) and we have some answers! We’ve broken down some common questions to help you out. description: - - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. - - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. + - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. + - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. eligibility: header: Who is eligible? info: - - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. - - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. - - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. - - 'The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:' + - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. + - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. + - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. + - "The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:" info_last_html: - - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. - - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. + - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. + - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. list: - - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. - - You had a new baby in 2020. - - You could be claimed as someone else’s dependent in 2019, but not in 2020. - - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. + - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. + - You had a new baby in 2020. + - You could be claimed as someone else’s dependent in 2019, but not in 2020. + - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. irs_info_html: The IRS will post all key information on %{irs_eip_link} as soon as it becomes available. last_updated: Updated on April 6, 2021 mixed_status_eligibility: header: Are mixed immigration status families eligible? info_html: - - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. - - |- - For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the - form I-7 and required documentation with your tax return, or by bringing the form and documentation to a - Certified Acceptance Agent. + - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. + - |- + For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the + form I-7 and required documentation with your tax return, or by bringing the form and documentation to a + Certified Acceptance Agent. title: Stimulus Payment tax_questions: cannot_answer: different_services: Questions about taxes filed with a different service (H&R Block, TurboTax) - header: 'We can not answer:' + header: "We can not answer:" refund_amounts: The amount of refund you will receive header: Let's try to answer your tax questions! see_faq: Please see our FAQ @@ -6353,7 +6351,7 @@ en: title: Wow, it looks like we are at capacity right now. warning_html: "A friendly reminder that the filing deadline is %{tax_deadline}. We recommend filing as soon as possible." backtaxes: - select_all_that_apply: 'Select all the years you would like to file for:' + select_all_that_apply: "Select all the years you would like to file for:" title: Which of the following years would you like to file for? balance_payment: title: If you have a balance due, would you like to make a payment directly from your bank account? @@ -6588,7 +6586,7 @@ en: consent_to_disclose_html: Consent to Disclose: You allow us to send tax information to the tax software company and financial institution you specify (if any). consent_to_use_html: Consent to Use: You allow us to count your return in reports. global_carryforward_html: Global Carryforward: You allow us to make your tax return information available to other VITA programs you may visit. - help_text_html: 'We respect your privacy. You have the option to consent to the following:' + help_text_html: "We respect your privacy. You have the option to consent to the following:" legal_details_html: |

      Federal law requires these consent forms be provided to you. Unless authorized by law, we cannot disclose your tax return information to third parties for purposes other than the preparation and filing of your tax return without your consent. If you consent to the disclosure of your tax return information, Federal law may not protect your tax return information from further use or distribution.

      @@ -6717,7 +6715,7 @@ en: other: In %{year}, did you or your spouse pay any student loan interest? successfully_submitted: additional_text: Please save this number for your records and future reference. - client_id: 'Client ID number: %{client_id}' + client_id: "Client ID number: %{client_id}" next_steps: confirmation_message: You will receive a confirmation message shortly header: Next Steps @@ -6737,7 +6735,7 @@ en: one: Have you had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? other: Have you or your spouse had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? verification: - body: 'A message with your code has been sent to:' + body: "A message with your code has been sent to:" error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -6768,55 +6766,55 @@ en: consent_agreement: details: header: The Details - intro: 'This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review.' + intro: "This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review." sections: - - header: Overview - content: - - I understand that VITA is a free tax program that protects my civil rights. - - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. - - header: Securing Taxpayer Consent Agreement - content: - - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. - - header: Performing the Intake Process (Secure All Documents) - content: - - 'Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured.' - - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. - - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) - content: - - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. - - header: Performing the interview with the taxpayer(s) - content: - - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. - - header: Preparing the tax return - content: - - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. - - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. - - header: Performing the quality review - content: - - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. - - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. - - header: Sharing the completed return - content: - - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. - - header: Signing the return - content: - - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. - - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. - - header: E-filing the tax return - content: - - I understand that GetYourRefund will e-file my tax return with the IRS. - - header: Request to Review your Tax Return for Accuracy - content: - - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. - - header: Virtual Consent Disclosure - content: - - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. - - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. - - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. - - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. - - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. - - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. - - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. + - header: Overview + content: + - I understand that VITA is a free tax program that protects my civil rights. + - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. + - header: Securing Taxpayer Consent Agreement + content: + - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. + - header: Performing the Intake Process (Secure All Documents) + content: + - "Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured." + - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. + - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) + content: + - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. + - header: Performing the interview with the taxpayer(s) + content: + - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. + - header: Preparing the tax return + content: + - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. + - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. + - header: Performing the quality review + content: + - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. + - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. + - header: Sharing the completed return + content: + - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. + - header: Signing the return + content: + - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. + - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. + - header: E-filing the tax return + content: + - I understand that GetYourRefund will e-file my tax return with the IRS. + - header: Request to Review your Tax Return for Accuracy + content: + - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. + - header: Virtual Consent Disclosure + content: + - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. + - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. + - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. + - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. + - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. + - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. + - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. site_process_header: The GetYourRefund Site Process information_you_provide: You understand the information you provide this site (GetYourRefund.org) is sent to a Volunteer Income Tax Assistance (VITA) preparation site in order for an IRS-certified volunteer to review your information, conduct an intake interview on the phone, prepare the tax return, and perform a quality review before filing your taxes. proceed_and_confirm: By proceeding, you confirm that the following statements are true and complete to the best of your knowledge. @@ -6837,13 +6835,13 @@ en: grayscale_partner_logo: provider_homepage: "%{provider_name} Homepage" progress_bar: - progress_text: 'Intake progress:' + progress_text: "Intake progress:" service_comparison: additional_benefits: Additional benefits all_services: All services provide email support and are available in English and Spanish. chat_support: Chat support filing_years: - title: 'Filing years:' + title: "Filing years:" id_documents: diy: ID numbers full_service: Photo @@ -6854,7 +6852,7 @@ en: direct_file: Most filers under $200,000 diy: under $84,000 full_service: under $67,000 - title: 'Income guidance:' + title: "Income guidance:" itin_assistance: ITIN application assistance mobile_friendly: Mobile-friendly required_information: Required information @@ -6890,7 +6888,7 @@ en: diy: 45 minutes full_service: 2-3 weeks subtitle: IRS payment processing times vary 3-6 weeks - title: 'Length of time to file:' + title: "Length of time to file:" title_html: Free tax filing for households that qualify.
      Find the tax service that’s right for you! triage_link_text: Answer a few simple questions and we'll recommend the right service for you! vita: IRS-certified VITA tax team diff --git a/config/locales/es.yml b/config/locales/es.yml index 9a34b2971a..712b84011e 100644 --- a/config/locales/es.yml +++ b/config/locales/es.yml @@ -15,7 +15,7 @@ es: charity_code: invalid: Debe ser un número de cinco dígitos que comience con 2 date_of_contribution: - inclusion: La fecha debe estar en el año fiscal actual + inclusion: La fecha debe ser válida y corresponder al año fiscal actual. state_file_1099_r: errors: must_be_less_than_gross_distribution: Debe ser menor que el monto bruto de distribución @@ -102,8 +102,8 @@ es: file_yourself: edit: info: - - Presente tus impuestos en línea por su cuenta usando nuestro sitio web asociado. ¡Esta es nuestra opción más rápida para los hogares que ganan menos de $84,000 para declarar impuestos y cobrar los créditos tributarios que se le deben! - - Para comenzar, necesitaremos recopilar información básica. + - Presente tus impuestos en línea por su cuenta usando nuestro sitio web asociado. ¡Esta es nuestra opción más rápida para los hogares que ganan menos de $84,000 para declarar impuestos y cobrar los créditos tributarios que se le deben! + - Para comenzar, necesitaremos recopilar información básica. title: "¡Declare aquí sus impuestos usted mismo!" documents: documents_help: @@ -192,7 +192,7 @@ es: too_short: La contraseña debe tener un mínimo de %{count} caracteres. payer_name: blank: Ingresa un nombre válido. - invalid: 'Solo se aceptan letras, números, paréntesis, apóstrofos y #.' + invalid: "Solo se aceptan letras, números, paréntesis, apóstrofos y #." payer_tin: invalid: El EIN debe ser un número de 9 dígitos. No incluyas un guion. payer_tin_ny_invalid: El número ingresado no es un TIN aceptado por el estado de Nueva York. @@ -252,11 +252,11 @@ es: contact_method_required: "%{attribute} es obligatorio si opta para recibir notificaciones " invalid_tax_status: El estado de declaración de impuestos proporcionado no es válido. mailing_address: - city: 'Error: Ciudad Inválida' - invalid: 'Error: Dirección Inválida' - multiple: 'Error: Se encontraron varias direcciones para la información que ingresó y no existe ningún predeterminado.' - not_found: 'Error: Dirección no encontrada' - state: 'Error: Código de Estado Inválido' + city: "Error: Ciudad Inválida" + invalid: "Error: Dirección Inválida" + multiple: "Error: Se encontraron varias direcciones para la información que ingresó y no existe ningún predeterminado." + not_found: "Error: Dirección no encontrada" + state: "Error: Código de Estado Inválido" md_county: residence_county: presence: Por favor seleccione un condado @@ -276,7 +276,7 @@ es: must_equal_100: Los porcentajes de enrutamiento deben totalizar el 100%. status_must_change: No se puede iniciar el cambio de estado al estado actual. tax_return_belongs_to_client: No se puede actualizar la declaración de impuestos que no esté relacionada con el cliente actual. - tax_returns: 'Por favor, proporcione todos los campos obligatorios para las declaraciones de impuestos:: %{attrs}.' + tax_returns: "Por favor, proporcione todos los campos obligatorios para las declaraciones de impuestos:: %{attrs}." tax_returns_attributes: certification_level: nivel de certificación is_hsa: es HSA @@ -507,7 +507,7 @@ es: my_account: Mi cuenta my_profile: Mi perfil name: Nombre - negative: 'No' + negative: "No" new: Nuevo new_unique_link: Nuevo Enlace único nj_staff: Personal de New Jersey @@ -629,7 +629,7 @@ es: very_well: Muy bien visit_free_file: Visite el sitio de declaración de impuestos gratuita del IRS visit_stimulus_faq: Preguntas Frecuentes sobre el pago de estímulo - vita_long: 'VITA: Asistencia Voluntaria al Contribuyente Tributario' + vita_long: "VITA: Asistencia Voluntaria al Contribuyente Tributario" well: Bien widowed: Viudo/a written_language_options: @@ -713,19 +713,19 @@ es: new_status: Nuevo estado remove_assignee: Eliminar cesionario selected_action_and_tax_return_count_html: - many: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:' - one: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devolución con el siguiente estado:' - other: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:' + many: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:" + one: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devolución con el siguiente estado:" + other: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:" title: Acción masiva change_organization: edit: by_clicking_submit: Al hacer clic en enviar, está cambiando la organización, enviando una nota de equipo y actualizando seguidores. - help_text_html: 'Nota: Todos las declaraciones de estos clientes se reasignarán a la organización seleccionada.
      Cambiar la organización puede hacer que los usuarios del hub asignados pierdan el acceso y se anulen la asignación.' + help_text_html: "Nota: Todos las declaraciones de estos clientes se reasignarán a la organización seleccionada.
      Cambiar la organización puede hacer que los usuarios del hub asignados pierdan el acceso y se anulen la asignación." new_organization: Organización nuevo selected_action_and_client_count_html: - many: 'Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:' - one: 'Ha seleccionado Cambiar Organización para %{count} cliente en la organización:' - other: 'Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:' + many: "Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:" + one: "Ha seleccionado Cambiar Organización para %{count} cliente en la organización:" + other: "Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:" title: Acción masiva send_a_message: edit: @@ -769,7 +769,7 @@ es: claimed_by_another: Can anyone else claim the taxpayer or spouse on their tax return? contact_number: Número de contacto disabled: Discapacidad total y permanente - dob: 'DOB, en español: Fecha de nacimiento' + dob: "DOB, en español: Fecha de nacimiento" email_optional: Correo electrónico (opcional) filer_provided_over_half_housing_support: "¿El contribuyente o contribuyentes aportaron más de la mitad de los gastos de vivienda de esta persona?" filer_provided_over_half_support: "¿El contribuyente o contribuyentes aportaron más del 50% de la manutención de esta persona?" @@ -784,7 +784,7 @@ es: middle_initial: Inicial de su segundo nombre months_in_home: "# o número de meses que vivió en su casa el año pasado:" never_married: Nunca se ha casado - north_american_resident: 'Residente en EE.UU., Canadá o México el año pasado:' + north_american_resident: "Residente en EE.UU., Canadá o México el año pasado:" owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -793,7 +793,8 @@ es: provided_over_half_own_support: "¿Aportó esta persona más del 50% de su propia manutención?" receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail - refund_payment_method: 'If you are due a refund, would you like:' + refund_other: Other + refund_payment_method: "If you are due a refund, would you like:" refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -805,8 +806,8 @@ es: was_full_time_student: Estudiante a tiempo completo was_married: Single or Married as of 12/31/2024 was_student: Estudiante a tiempo completo el año pasado - last_year_was_your_spouse: 'El año pasado, ¿fue su cónyuge:' - last_year_were_you: 'El año pasado, ¿fue su usted:' + last_year_was_your_spouse: "El año pasado, ¿fue su cónyuge:" + last_year_were_you: "El año pasado, ¿fue su usted:" title: 13614-C página 1 what_was_your_marital_status: Para el 31 de diciembre de %{current_tax_year}, ¿cuál era su estado civil? edit_13614c_form_page2: @@ -816,7 +817,7 @@ es: had_gambling_income: Gambling winnings, including lottery had_interest_income: "¿Intereses/dividendos de: cuentas corrientes/de ahorro, bonos, certificados de depósito, corretaje?" had_local_tax_refund: Refund of state or local income tax - had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' + had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" had_rental_income: "¿Ingresos (o pérdidas) procedentes del arrendamiento de propiedades?" had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -904,7 +905,7 @@ es: client_id_heading: Cliente ID client_info: Información del cliente created_at: Creado en - excludes_statuses: 'Excluye: %{statuses}' + excludes_statuses: "Excluye: %{statuses}" filing_year: Año para declarar filter: Filtrar resultados filters: Filtros @@ -933,7 +934,7 @@ es: title: Agregar un nuevo cliente organizations: edit: - warning_text_1: 'Aviso: Todas las declaraciones de este cliente se asiganrán a la nueva organización.' + warning_text_1: "Aviso: Todas las declaraciones de este cliente se asiganrán a la nueva organización." warning_text_2: Cambiar la organización puede causar que los usuarios del hub pierdan acceso y asignación. show: basic_info: Información básica @@ -966,7 +967,7 @@ es: email: envió correo electrónico internal_note: guardó nota interna status: actualizó estado - success: 'Éxito: Acción completo! %{action_list}.' + success: "Éxito: Acción completo! %{action_list}." text_message: envió mensjaje de texto coalitions: edit: @@ -986,7 +987,7 @@ es: client_id: ID de cliente client_name: nombre del cliente no_clients: No hay clientes para mostrar en este momento - title: 'Acción requerida: Clientes marcados' + title: "Acción requerida: Clientes marcados" updated: Actualizado en approaching: Que se acerca capacity: Capacidad @@ -1035,7 +1036,7 @@ es: has_duplicates: Posibles duplicados detectados has_previous_year_intakes: Ingreso(s) del año anterior itin_applicant: Solicitante de Número de Identificación Personal (ITIN) - last_client_update: 'Última actualización de cliente: ' + last_client_update: "Última actualización de cliente: " last_contact: último contacto messages: automated: Automatizado @@ -1070,14 +1071,14 @@ es: label: Agregar una nota submit: Guardar outbound_call_synthetic_note: Llamado por %{user_name}. La llamada se %{status} y duró %{duration}. - outbound_call_synthetic_note_body: 'Notas de llamada:' + outbound_call_synthetic_note_body: "Notas de llamada:" organizations: activated_all: success: Activado con éxito %{count} usuarios form: active_clients: clientes activos allows_greeters: Permite saludadores - excludes: 'Excluye estados: Aceptado, No Archivar, en En Pausa' + excludes: "Excluye estados: Aceptado, No Archivar, en En Pausa" index: add_coalition: Agregar una nueva coalición add_organization: Agregar una nueva organización @@ -1099,8 +1100,8 @@ es: client_phone_number: Número de teléfono del cliente notice_html: Espere una llamada de %{receiving_number} cuando presione 'Llámalos ahora'. notice_list: - - Su número de teléfono permanecerá privado, no es accesible para el cliente. - - Siempre llamaremos desde este número; considere agregarlo a sus contactos. + - Su número de teléfono permanecerá privado, no es accesible para el cliente. + - Siempre llamaremos desde este número; considere agregarlo a sus contactos. title: Llamar al cliente your_phone_number: Tu número de teléfono show: @@ -1273,9 +1274,9 @@ es: send_a_message_description_html: Envía un mensaje a estos %{count} clientes. title: Elija su acción masiva page_title: - many: 'Selección de clientes #%{id} (%{count} resultados)' - one: 'Selección de clientes #%{id} (%{count} resultado)' - other: 'Selección de clientes #%{id} (%{count} resultados)' + many: "Selección de clientes #%{id} (%{count} resultados)" + one: "Selección de clientes #%{id} (%{count} resultado)" + other: "Selección de clientes #%{id} (%{count} resultados)" tax_returns: count: many: "%{count} declaraciones de impuestos" @@ -1288,7 +1289,7 @@ es: new: assigned_user: Usuario asignado (opcional) certification_level: Nivel de certificación (opcional) - current_years: 'Años tributarios actuales:' + current_years: "Años tributarios actuales:" no_remaining_years: No hay años tributarios restantes para los que crear una declaración. tax_year: Año tributario title: Agregar año tributario para %{name} @@ -1456,7 +1457,7 @@ es: ¡Estamos aquí para ayudarle! Su Equipo de Asistencia de Preparación de Impuestos en GetYourRefund - subject: 'GetYourRefund: Tienes un envío en curso' + subject: "GetYourRefund: Tienes un envío en curso" sms: body: Hola <>, no has completado de proporcionar la información que necesitamos para preparar tus impuestos en GetYourRefund. Continúe donde lo dejó aquí <>. Su ID de cliente es <>. Si tiene alguna pregunta, responda a este mensaje. intercom_forwarding: @@ -1506,41 +1507,14 @@ es: state_file: accepted_owe: email: - body: | - Hola %{primary_first_name}, - - Tu declaración de impuestos estatales de %{state_name} ha sido aceptada y hay un pago pendiente. - - Si no pagaste ya mediante débito directo al presentar tu declaración, por favor, haz tu pago antes del 15 de abril visitando %{state_pay_taxes_link}. Cualquier cantidad no pagada antes de la fecha límite de presentación podría significar multas y costos adicionales. - - Descarga tu declaración visitando %{return_status_link}. - - ¿Necesitas ayuda? Responde a este correo. - - Atentamente, - El equipo de FileYourStateTaxes - subject: Declaración de impuestos del estado %{state_name} aceptada - Pago pendiente - sms: | - Hola %{primary_first_name} - Tu declaración de impuestos estatales de %{state_name} ha sido aceptada y hay un pago pendiente. - - Sino has hecho tu pago mediante débito directo, por favor hazlo antes del 15 de abril en %{state_pay_taxes_link}. - - Cualquier cantidad no pagada antes de la fecha límite de presentación podría significar multas y costos adicionales. - - Descarga tu declaración en %{return_status_link} - - ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org + body: "Hola %{primary_first_name},\n\n¡%{state_name} aceptó tu declaración de impuestos estatales! Asegúrate de pagar tus impuestos estatales antes del 15 de abril en %{state_pay_taxes_link} si no los pagaste mediante débito directo al presentar tu declaración.\n\nDescarga tu declaración en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" + subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada" + sms: "Hola %{primary_first_name} - %{state_name}¡Acepté su declaración de impuestos estatales! Asegúrese de pagar sus impuestos estatales antes del 15 de abril al %{state_pay_taxes_link} si no ha pagado mediante depósito directo o cheque. \n\n\nDescarga tu declaración en %{return_status_link}\n\n¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" accepted_refund: email: - body: | - Hola %{primary_first_name}, - - ¡Tu declaración de impuestos estatales de %{state_name} ha sido aceptada! Descarga tu declaración y verifica el estado de tu reembolso visitando %{return_status_link}. - - Atentamente, - El equipo de FileYourStateTaxes - subject: Declaración de impuestos estatales de %{state_name} aceptada - sms: "Hola %{primary_first_name} - Buenas noticias, ¡%{state_name} ha aceptado tu declaración de impuestos estatales! \n\nDescarga tu declaración y verifica el estado de tu reembolso en %{return_status_link}\n\n¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org.\"\n" + body: "Hola %{primary_first_name},\n\n¡%{state_name} ha aceptado tu declaración de impuestos estatales! Puedes esperar recibir tu reembolso tan pronto como %{state_name} apruebe la cantidad de tu reembolso.\n\nDescarga tu declaración y verifica el estado de tu reembolso en %{return_status_link}.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" + subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada" + sms: "Hola %{primary_first_name} - %{state_name} ¡Acepté su declaración de impuestos estatales! Puede esperar recibir su reembolso tan pronto como %{state_name} apruebe el monto de su reembolso. \n\nDescargue su devolución y verifique el estado de su reembolso en %{return_status_link}\n\n¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: body: | @@ -1549,7 +1523,7 @@ es: Para continuar con la preparación de tu declaración estatal, por favor crea una cuenta nueva con FileYourStateTaxes, visitando: https://www.fileyourstatetaxes.org/es/%{state_code}/landing-page Necesitas ayuda? Envía un correo electrónico a help@fileyourstatetaxes.org o envíanos un mensaje directo mediante chat en FileYourStateTaxes.org - subject: 'FileYourStateTaxes: Importación de datos para la declaración de %{state_name}' + subject: "FileYourStateTaxes: Importación de datos para la declaración de %{state_name}" sms: "Hola, Es posible que hayas tenido problemas transfiriendo los datos de tu declaración federal desde IRS Direct File. Se resolvió el problema. \n\nPara continuar con la preparación de tu declaración estatal, por favor crea una cuenta nueva con FileYourStateTaxes, visitando: https://www.fileyourstatetaxes.org/es/%{state_code}/landing-page\n\nNecesitas ayuda? Envía un correo electrónico a Email us at help@fileyourstatetaxes.org\n" finish_return: email: @@ -1594,7 +1568,7 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: Recuerda completar tu declaración de impuestos estatales lo antes posible + subject: "Recordatorio final: FileYourStateTaxes cerrará el 25 de abril." sms: | Hola %{primary_first_name} - Aún no has enviado tu declaración de impuestos estatales. Asegúrate de presentar tus impuestos estatales lo antes posible para evitar multas por declarar tarde. Ve a fileyourstatetaxes.org/es/login-options para completar tu declaración ahora. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. @@ -1633,8 +1607,10 @@ es: sms: Hola %{primary_first_name} - Te recordamos que tu declaración de impuestos estatales de %{state_name} fue rechazada. Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. Asegúrate de tomar acción lo más pronto posible para evitar costos extra por declarar tarde. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. rejected: email: - body: | - Hola %{primary_first_name}, + body: "Hola %{primary_first_name},\n\nLamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" + subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Rechazada. Acción Necesaria." + sms: | + Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó su declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarle a solucionarlo y volver a enviarlo en %{return_status_link}. Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. @@ -1658,8 +1634,8 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: Tu declaración de impuestos del estado %{state_name} está tardando más de lo esperado - sms: Hola %{primary_first_name} - Procesar tu declaración de impuestos estatales está tardando más de lo esperado . ¡No te preocupes! Te avisaremos apenas tengamos actualizaciones del estado de tu declaración. No necesitas hacer nada en este momento. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. + subject: "Actualización de FileYourStateTaxes: La declaración de impuestos estatales de %{state_name} está tardando más de lo esperado" + sms: Hola %{primary_first_name} - Está tardando más de lo esperado procesar su declaración de impuestos estatales. ¡No te preocupes! Le informaremos tan pronto como sepamos el estado de su devolución. No necesitas hacer nada ahora. ¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org. successful_submission: email: body: | @@ -1673,10 +1649,10 @@ es: Atentamente, El equipo de FileYourStateTaxes - resubmitted: vuelto a enviar - subject: Declaración de impuestos estatales de %{state_name} enviada - submitted: enviado - sms: Hola %{primary_first_name} - ¡Has %{submitted_or_resubmitted} con éxito tu declaración de impuestos estatales de %{state_name}! Te actualizaremos en 1-2 días sobre el estado de tu declaración. Puedes descargar y verificar el estado de tu declaración en %{return_status_link}. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. + resubmitted: Reenvió + subject: "Actualización de FileYourStateTaxes: %{state_name} Declaración estatal enviada" + submitted: Envió + sms: Hola %{primary_first_name} - ¡Has %{submitted_or_resubmitted} tu %{state_name} declaración de impuestos estatales! Le informaremos en 1 o 2 días sobre el estado de su devolución. Puedes descargar tu declaración y consultar el estado en %{return_status_link}. ¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org. survey_notification: email: body: | @@ -1701,11 +1677,8 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: Declaración de impuestos estatales de %{state_name} rechazada - sms: | - Hola, %{primary_first_name}: Lamentablemente, %{state_name} ha rechazado tu declaración de impuestos estatales debido a un problema que no se puede resolver a través de nuestro servicio. ¡No te preocupes! Podemos darte orientación sobre los siguientes pasos. Chatea con nosotros en %{return_status_link}. - - ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. + subject: "Actualización de FileYourStateTaxes: La Declaración de Impuestos Estatales de %{state_name}." + sms: "Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales por un problema que no se puede resolver en nuestra herramienta. ¡No te preocupes! Podemos ayudarte a brindar orientación sobre los próximos pasos. Chatea con nosotros en %{return_status_link}. \n\n¿Tienes preguntas? Responde a este texto.\n" welcome: email: body: | @@ -1756,8 +1729,8 @@ es: ¡Estamos aquí para ayudarle! Su equipo fiscal en GetYourRefund - subject: 'GetYourRefund: ¡Ha enviado correctamente su información fiscal!' - sms: 'Hola <>, Su información fiscal se envió correctamente a GetYourRefund. Su ID de cliente es <>. Su especialista en impuestos revisará su información, se comunicará con usted y programará una llamada telefónica requerida antes de preparar sus impuestos. Para presentar la solicitud antes de la fecha límite, necesitamos todos los documentos requeridos antes del %{end_of_docs_date}. Verifique su progreso y agregue documentos adicionales aquí: <>. Si tiene alguna pregunta, responda a este mensaje.' + subject: "GetYourRefund: ¡Ha enviado correctamente su información fiscal!" + sms: "Hola <>, Su información fiscal se envió correctamente a GetYourRefund. Su ID de cliente es <>. Su especialista en impuestos revisará su información, se comunicará con usted y programará una llamada telefónica requerida antes de preparar sus impuestos. Para presentar la solicitud antes de la fecha límite, necesitamos todos los documentos requeridos antes del %{end_of_docs_date}. Verifique su progreso y agregue documentos adicionales aquí: <>. Si tiene alguna pregunta, responda a este mensaje." surveys: completion: email: @@ -1806,8 +1779,8 @@ es: ¡Gracias por crear una cuenta con GetYourRefund! Su ID de cliente es <>. Esta es una información importante de la cuenta que puede ayudarle cuando hable con nuestros representantes de chat y cuando inicie sesión en su cuenta. Mantenga un registro de este número y no elimine este mensaje. Puede verificar su progreso y agregar documentos adicionales aquí: <> - subject: 'Bienvenido a GetYourRefund: ID de cliente' - sms: 'Hola <>, Te has registrado en GetYourRefund. IMPORTANTE: Su ID de cliente es <>. Mantenga un registro de este número y no elimine este mensaje. Si tiene alguna pregunta, responda a este mensaje.' + subject: "Bienvenido a GetYourRefund: ID de cliente" + sms: "Hola <>, Te has registrado en GetYourRefund. IMPORTANTE: Su ID de cliente es <>. Mantenga un registro de este número y no elimine este mensaje. Si tiene alguna pregunta, responda a este mensaje." models: intake: your_spouse: Su cónyuge @@ -1842,7 +1815,7 @@ es: last_four_or_client_id: ID de cliente o los 4 últimos de SSN/ITIN title: Autenticación necesaria para continuar enter_verification_code: - code_sent_to_html: 'Se ha enviado un mensaje con tu código a: %{address}' + code_sent_to_html: "Se ha enviado un mensaje con tu código a: %{address}" enter_6_digit_code: Ingrese el código de 6 dígitos title: "¡Verifiquemos ese código!" verify: Verificar @@ -1851,7 +1824,7 @@ es: bad_input: ID de cliente o los 4 últimos de SSN/ITIN incorrectos. Después de 5 intentos fallidos, las cuentas se bloquean. bad_verification_code: Código incorrecto. Después de 5 intentos fallidos, las cuentas se bloquean. new: - one_form_of_contact: 'Ingresa una forma de contacto a continuación:' + one_form_of_contact: "Ingresa una forma de contacto a continuación:" send_code: Enviar el código title: Le enviaremos un código seguro para iniciar sesión closed_logins: @@ -1874,7 +1847,7 @@ es: add_signature_primary: Agregue su firma final a su declaración de impuestos add_signature_spouse: Agregue la firma final de su cónyuge a su declaración de impuestos finish_intake: Responda las preguntas fiscales restantes para continuar. - client_id: 'Identificación del cliente: %{id}' + client_id: "Identificación del cliente: %{id}" document_link: add_final_signature: Agregar firma final add_missing_documents: Agregar documentos faltantes @@ -1887,7 +1860,7 @@ es: view_w7: Ver o descargar el formulario W-7 view_w7_coa: Ver o descargar el formulario W-7 (COA) help_text: - file_accepted: 'Completado: %{date}' + file_accepted: "Completado: %{date}" file_hold: Su declaración está en espera. Su preparador de impustos se comunicará con más detalles. file_not_filing: Esta declaración no se está presentando. Comuníquese con su preparador de impuestos si tiene alguna pregunta. file_rejected: Su devolución ha sido rechazada. Comuníquese con su preparador de impuestos si tiene alguna pregunta. @@ -1902,7 +1875,7 @@ es: review_reviewing: Tu devolución está siendo revisada review_signature_requested_primary: Estamos esperando una firma final de usted. review_signature_requested_spouse: Estamos esperando una firma final de su cónyuge. - subtitle: 'Aquí hay una instantánea de sus impuestos:' + subtitle: "Aquí hay una instantánea de sus impuestos:" tax_return_heading: Declaración de impuestos de %{year} title: Bienvenido de nuevo %{name}! still_needs_helps: @@ -1971,7 +1944,7 @@ es: description: Declare rápidamente por su cuenta. list: file: Declare solo para %{current_tax_year} - income: 'Ingresos: menos de $84,000' + income: "Ingresos: menos de $84,000" timeframe: 45 minutos para declarar title: Declarar por cuenta propia gyr_tile: @@ -1979,7 +1952,7 @@ es: description: Presente su declaración de impuestos con confianza con la ayuda de nuestros voluntarios certificados por el IRS. list: file: Presentar para %{oldest_filing_year}-%{current_tax_year} - income: 'Ingresos: menos de $67,000' + income: "Ingresos: menos de $67,000" ssn: Debe mostrar copias de su tarjeta de Seguro Social o papeleo de su Número de Identificación Personal (ITIN) timeframe: De 2-3 semanas para declarar sus impuestos title: " Declare con Ayuda" @@ -2045,10 +2018,10 @@ es: banner: Se cerraron nuevas inscripciones para GetYourRefund para 2023. Vuelva en enero para presentar la solicitud el próximo año. header: "¡Nos daría mucho gusto trabajar con usted y ayudarle gratuitamente a declarar sus impuestos!" opt_in_message: - 01_intro: 'Aviso: Proporcionar su número de teléfono significa que usted ha optado por lo siguiente para usar el servicio GetYourRefund:' + 01_intro: "Aviso: Proporcionar su número de teléfono significa que usted ha optado por lo siguiente para usar el servicio GetYourRefund:" 02_list: - - Recibir un código de verificación de GetYourRefund - - Notificaciones sobre la declaración de impuestos + - Recibir un código de verificación de GetYourRefund + - Notificaciones sobre la declaración de impuestos 03_message_freq: La frecuencia de los mensajes varía. Se aplican las tarifas estándar de los mensajes. Envíe HELP al 11111 para obtener ayuda. Envíe STOP al 11111 para cancelarlo. Los operadores (por ejemplo, AT&T, Verizon, etc.) no son responsables de los mensajes no entregados o retrasados. 04_detail_links_html: Favor de consultar nuestras Condiciones generales y Política de privacidad. subheader: Regístrese aquí para recibir una notificación cuando abramos en enero. @@ -2088,7 +2061,7 @@ es: title: Lo sentimos, no nos fue posible verificar tu cuenta faq: index: - title: 'Preguntas frecuentes de los contribuyentes de %{state}:' + title: "Preguntas frecuentes de los contribuyentes de %{state}:" general: fed_agi: Ingreso bruto federal ajustado id_adjusted_income: Ingreso total ajustado de Idaho @@ -2127,7 +2100,7 @@ es: md_social_security_income_not_taxed: Ingresos del Seguro Social (a los que no aplican impuestos en Maryland) md_standard_deduction: Deducción estándar md_state_retirement_pickup_addition: Adición estatal por jubilación - md_subtraction_child_dependent_care_expenses: 'Resta por Gastos de Cuidado de Niños y Dependientes ' + md_subtraction_child_dependent_care_expenses: "Resta por Gastos de Cuidado de Niños y Dependientes " md_subtraction_income_us_gov_bonds: Deducción por ingresos de bonos del gobierno de los Estados Unidos md_tax: Impuesto de Maryland md_tax_withheld: Retenciones de impuestos de Maryland y locales @@ -2244,7 +2217,7 @@ es:
    • Números de ruta y cuenta bancaria (si deseas recibir tu reembolso o realizar un pago de impuestos electrónicamente)
    • (opcional) Licencia de conducir o identificación emitida por el estado
    - help_text_title: 'Necesitarás:' + help_text_title: "Necesitarás:" supported_by: Respaldado por la División de Impuestos de New Jersey title: "¡Presenta gratis tus impuestos de New Jersey!" not_you: "¿No es %{user_name}?" @@ -2271,7 +2244,7 @@ es: section_4: Transferir tus datos section_5: Completa tu declaración de impuestos estatales section_6: Envía tus impuestos estatales - step_description: 'Sección %{current_step} de %{total_steps}: ' + step_description: "Sección %{current_step} de %{total_steps}: " notification_mailer: user_message: unsubscribe: Para dejar de recibir los correos electrónicos, haz clic aquí. @@ -2285,7 +2258,7 @@ es: az_charitable_contributions: edit: amount_cannot_exceed: La cantidad no puede ser mayor a $500 - charitable_cash_html: 'Cantidad total de las donaciones/pagos en efectivo ' + charitable_cash_html: "Cantidad total de las donaciones/pagos en efectivo " charitable_noncash_html: Cantidad total de las donaciones no monetarias help_text: Por ejemplo, el valor comercial razonable de los artículos donados. question: @@ -2313,7 +2286,10 @@ es: why_are_you_asking: "¿Por qué estamos pidiéndote esta información?" az_prior_last_names: edit: - prior_last_names_label: 'Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)' + prior_last_names_label: + many: Ingresa todos los apellidos utilizados por usted y su cónyuge en los últimos cuatro años. + one: "Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)" + other: Ingresa todos los apellidos que usaste en los últimos cuatro años. subtitle: Esto incluye los años fiscales del %{start_year} al %{end_year} title: one: "¿Declaraste con un apellido diferente en los últimos cuatro años?" @@ -2346,11 +2322,11 @@ es: other: "¿Tú o tu cónyuge pagaron alguna tarifa o donaron dinero a una escuela pública de Arizona en %{year}?" more_details_html: Visita el Departamento de Ingresos de Arizonapara más detalles. qualifying_list: - - Actividades extracurriculares - - Educación en valores - - Pruebas estandarizadas y sus tarifas - - Evaluación de educación técnica y profesional - - Entrenamiento de Reanimación Cardiopulmonar (RCP) + - Actividades extracurriculares + - Educación en valores + - Pruebas estandarizadas y sus tarifas + - Evaluación de educación técnica y profesional + - Entrenamiento de Reanimación Cardiopulmonar (RCP) school_details_answer_html: | Puedes encontrar esta información en el recibo que te entregaron en la escuela.

    @@ -2365,7 +2341,7 @@ es: add_another: Agregar otra donación delete_confirmation: "¿Estás seguro de que quieres eliminar esta contribución?" maximum_records: Ha proporcionado la cantidad máxima de registros. - title: 'Esta es la información que agregaste:' + title: "Esta es la información que agregaste:" az_qualifying_organization_contributions: destroy: removed: Se eliminó AZ 321 para %{charity_name} @@ -2415,7 +2391,7 @@ es: az_tax: Impuesto de Arizona az_tax_withheld: Retención de impuestos de Arizona az_taxable_income: Ingreso imponible en Arizona - charitable_cash: 'Donaciones caritativas (en efectivo) ' + charitable_cash: "Donaciones caritativas (en efectivo) " charitable_contributions: Realizó contribuciones caritativas charitable_noncash: Donaciones caritativas (en especie) credit_to_qualifying_charitable: Crédito por Contribuciones a Organizaciones Caritativas Calificadas @@ -2536,7 +2512,7 @@ es: other_credits_529_html: Deducción por contribuciones al plan 529 de Arizona other_credits_add_dependents: Agregar dependientes no reclamados en la declaración federal other_credits_change_filing_status: Cambio en el estado civil tributario de la declaración federal a estatal - other_credits_heading: 'Otros créditos y deducciones no admitidos este año:' + other_credits_heading: "Otros créditos y deducciones no admitidos este año:" other_credits_itemized_deductions: Deducciones detalladas property_tax_credit_age: Tener 65 años o más, o recibir pagos de Seguridad de Ingreso Suplementario property_tax_credit_heading_html: 'Crédito por impuestos a la propiedad. . Para calificar para este crédito debes:' @@ -2573,7 +2549,7 @@ es: itemized_deductions: Deducciones detalladas long_term_care_insurance_subtraction: Resta del Seguro de Atención a Largo Plazo maintaining_elderly_disabled_credit: Crédito por Mantener un Hogar para Personas Mayores o Discapacitadas - not_supported_this_year: 'Créditos y deducciones no admitidos este año:' + not_supported_this_year: "Créditos y deducciones no admitidos este año:" id_supported: child_care_deduction: Resta de Idaho por Gastos de Cuidado Niños y Dependientes health_insurance_premiums_subtraction: Resta de primas de seguro médico @@ -2666,8 +2642,8 @@ es: title2: "¿Qué escenarios para reclamar el Crédito Tributario por Ingresos del Trabajo de Maryland y/o el Crédito Tributario por Hijos no admite este servicio?" title3: "¿Qué pasa si aún no puedo usar FileYourStateTaxes para mi situación concreta?" md_supported: - heading1: 'Restas:' - heading2: 'Créditos:' + heading1: "Restas:" + heading2: "Créditos:" sub1: Deducción por gastos de cuidado de niños y Dependientes sub10: Crédito tributario para Personas Mayores sub11: Crédito Estatal y Local por Nivel de Pobreza @@ -2702,7 +2678,7 @@ es:
  • Declaraciones con distintos estados civiles: debes usar el mismo estado civil en tus declaraciones de impuestos federales y estatales. Por ejemplo, no puedes presentarte como casado/a declarando conjuntamente en los impuestos federales y luego como casado/a declarando separadamente en los estatales.
  • Repetición de dependientes: No debes agregar ni quitar dependientes en tu declaración de impuestos estatales si ya los reclamaste en tu declaración de impuestos federales
  • Aplicar una parte de tu reembolso de 2024 a tus estimaciones de impuestos de 2025
  • - also_unsupported_title: 'Tampoco admitimos:' + also_unsupported_title: "Tampoco admitimos:" unsupported_html: |
  • Deducción por comidas, alojamiento, gastos de mudanza, otros gastos de negocio reembolsados o compensación por lesiones o enfermedades reportadas como salarios en tu W-2
  • Deducción por pagos de pensión alimenticia
  • @@ -2731,7 +2707,7 @@ es: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: 'Other credits, deductions and resources not supported this year:' + other_credits_heading: "Other credits, deductions and resources not supported this year:" other_credits_itemized_deductions: Deducciones detalladas real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2752,7 +2728,7 @@ es: fees: Puede que apliquen tarifas. learn_more_here_html: Obtén más información aquí. list: - body: 'Muchos servicios comerciales de preparación de impuestos ofrecen la opción de declarar sólo los impuestos estatales. Aquí tienes algunos consejos rápidos:' + body: "Muchos servicios comerciales de preparación de impuestos ofrecen la opción de declarar sólo los impuestos estatales. Aquí tienes algunos consejos rápidos:" list1: Confirma que el servicio te permita presentar sólo tu declaración estatal. Es posible que necesites consultar con el soporte al cliente. list2: Prepárate para volver a ingresar la información de tu declaración federal, ya que se necesita para tu declaración estatal. list3: Al declarar, envía sólo tu declaración estatal. Si vuelves a enviar tu declaración federal, puede ser rechazada. @@ -2931,7 +2907,7 @@ es: many: Para ver si califica, necesitamos más información sobre usted y su hogar. one: Para ver si usted califica, necesitamos más información sobre usted. other: Para ver si calificas, necesitamos más información sobre ti y tu hogar. - select_household_members: 'Selecciona a las personas de tu hogar para quienes aplican estas situaciones en %{tax_year}:' + select_household_members: "Selecciona a las personas de tu hogar para quienes aplican estas situaciones en %{tax_year}:" situation_incarceration: Estuvo encarcelado situation_snap: Recibir cupones de alimentos / SNAP-EBT situation_undocumented: Vivir en los Estados Unidos sin documentación @@ -2946,7 +2922,7 @@ es: why_are_you_asking_li1: Recibió cupones de alimentos why_are_you_asking_li2: Estuvo encarcelado why_are_you_asking_li3: Vivió en los Estados Unidos sin documentación - why_are_you_asking_p1: 'Algunas restricciones mensuales aplican para este crédito. Una persona no calificará para los meses en los que:' + why_are_you_asking_p1: "Algunas restricciones mensuales aplican para este crédito. Una persona no calificará para los meses en los que:" why_are_you_asking_p2: La cantidad del crédito se reduce por cada mes que haya tenido alguna de estas situaciones. why_are_you_asking_p3: Las respuestas se utilizan únicamente para calcular la cantidad del crédito y se mantendrán confidenciales. you_example_months: Por ejemplo, si tuviste 2 situaciones en abril, eso cuenta como 1 mes. @@ -3034,7 +3010,7 @@ es: voluntary_charitable_donations: Donaciones caritativas voluntarias id_sales_use_tax: edit: - sales_tax_content: 'Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado.' + sales_tax_content: "Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado." sales_tax_title: "¿Qué son los impuestos sobre ventas?" sales_use_tax_helper_text: Ingrese el monto total subtitle_html: Esto incluye compras en línea donde no se aplicó el impuesto sobre ventas. Si hiciste alguna compra sin pagar impuestos sobre la venta, puede que debas el impuesto sobre el uso de esas compras. Te ayudaremos a saber la cantidad exacta. @@ -3085,10 +3061,10 @@ es: county_html: "Condado" political_subdivision: Subdivisión Política political_subdivision_helper_areas: - - 'Condados: Los 23 condados y la Ciudad de Baltimore.' - - 'Municipios: Pueblos y ciudades dentro de los condados.' - - 'Distritos especiales de impuestos: Áreas con reglas fiscales específicas para servicios locales.' - - 'Todas las demás áreas: Regiones que no tienen su propio gobierno municipal y son gobernadas a nivel de condado.' + - "Condados: Los 23 condados y la Ciudad de Baltimore." + - "Municipios: Pueblos y ciudades dentro de los condados." + - "Distritos especiales de impuestos: Áreas con reglas fiscales específicas para servicios locales." + - "Todas las demás áreas: Regiones que no tienen su propio gobierno municipal y son gobernadas a nivel de condado." political_subdivision_helper_first_p: 'Una "subdivisión política" es un área específica dentro de Maryland que tiene su propio gobierno local. Esto incluye:' political_subdivision_helper_heading: "¿Qué es una subdivisión política?" political_subdivision_helper_last_p: Selecciona la subdivisión política donde vives el 31 de diciembre de %{filing_year} para asegurarse de que su declaración de impuestos sea correcta. @@ -3113,15 +3089,15 @@ es: authorize_follow_up: Si respondes que sí, compartiremos tu información y la dirección de correo electrónico registrada con Maryland Health Connection. authorize_share_health_information: "¿Quieres autorizar al Contralor de Maryland a compartir información de esta declaración de impuestos con Maryland Health Connection para determinar la pre-elegibilidad para cobertura de salud sin costo o de bajo costo?" authorize_to_share_info: - - Nombre, SSN/ITIN y fecha de nacimiento de cada persona identificada en tu declaración - - Tu dirección de correspondencia, correo electrónico y número de teléfono - - Tu estado civil tributario - - Número total de personas en tu hogar incluidas en tu declaración - - Estado asegurado/no asegurado de cada persona incluida en tu declaración - - Si eres una persona ciega - - Relación (titular, cónyuge o dependiente) con el contribuyente principal de cada persona incluida en tu declaración - - El ingreso bruto ajustado de tu declaración federal (Line 1) - following_will_be_shared: 'Si lo permites, el Contralor de Maryland compartirá estos detalles con Maryland Health Connection (MHC):' + - Nombre, SSN/ITIN y fecha de nacimiento de cada persona identificada en tu declaración + - Tu dirección de correspondencia, correo electrónico y número de teléfono + - Tu estado civil tributario + - Número total de personas en tu hogar incluidas en tu declaración + - Estado asegurado/no asegurado de cada persona incluida en tu declaración + - Si eres una persona ciega + - Relación (titular, cónyuge o dependiente) con el contribuyente principal de cada persona incluida en tu declaración + - El ingreso bruto ajustado de tu declaración federal (Line 1) + following_will_be_shared: "Si lo permites, el Contralor de Maryland compartirá estos detalles con Maryland Health Connection (MHC):" information_use: Esta información ayuda a MHC a verificar si calificas para un seguro asequible o para ayudarte a inscribirte en la cobertura de salud. more_info: 'Para más detalles sobre programas de seguros o inscripción, visita el sitio web de Maryland Health Connection: marylandhealthconnection.gov/easyenrollment/.' no_insurance_question: "¿Algún miembro de tu hogar incluido en esta declaración no tuvo cobertura de salud durante el año?" @@ -3166,7 +3142,7 @@ es: doc_1099r_label: 1099-R income_source_other: Otros ingresos de jubilación (por ejemplo, un plan Keogh, también conocido como HR-10) (este es menos común) income_source_pension_annuity_endowment: Una pensión, renta vitalicia o dotación de un “sistema de jubilación para empleados” (este es más común) - income_source_question: 'Selecciona la fuente de este ingreso:' + income_source_question: "Selecciona la fuente de este ingreso:" military_service_reveal_header: "¿Qué servicios militares califican?" military_service_reveal_html: |

    Para calificar, debes haber sido:

    @@ -3200,7 +3176,7 @@ es: service_type_military: Tu servicio en el ejército o los beneficios por fallecimiento militar de un cónyuge o ex-cónyuge service_type_none: Ninguna de estas aplica service_type_public_safety: Tu servicio como trabajador de seguridad pública - service_type_question: 'Este ingreso provino de:' + service_type_question: "Este ingreso provino de:" subtitle: Necesitamos más información de tu formulario 1099-R para confirmar tu elegibilidad. taxable_amount_label: Cantidad sujeta a impuestos taxpayer_name_label: Nombre del contribuyente @@ -3289,28 +3265,28 @@ es: bailey_description: El Acuerdo Bailey es un fallo de la Corte Suprema de Carolina del Norte que establece que ciertos planes de jubilación son libres de impuestos en Carolina del Norte. bailey_more_info_html: Visita el Departamento de Ingresos de Carolina del Norte for more information. bailey_reveal_bullets: - - Sistema de Jubilación de Maestros y Empleados del Estado de Carolina del Norte - - Sistema de Jubilación de Empleados Gubernamentales Locales de Carolina del Norte - - Sistema de Jubilación Judicial Consolidado de Carolina del Norte - - Sistema de Jubilación de Empleados Federales - - Sistema de Jubilación del Servicio Civil de los Estados Unidos + - Sistema de Jubilación de Maestros y Empleados del Estado de Carolina del Norte + - Sistema de Jubilación de Empleados Gubernamentales Locales de Carolina del Norte + - Sistema de Jubilación Judicial Consolidado de Carolina del Norte + - Sistema de Jubilación de Empleados Federales + - Sistema de Jubilación del Servicio Civil de los Estados Unidos bailey_settlement_at_least_five_years: "¿Prestaste tú o tu cónyuge prestaron al menos cinco años de servicio acreditable antes del 12 de agosto de 1989?" bailey_settlement_checkboxes: Por favor, marca todas las casillas sobre el Acuerdo Bailey que te apliquen a ti o a tu cónyuge. bailey_settlement_from_retirement_plan: "¿Recibiste tú o tu cónyuge recibieron beneficios de jubilación del plan 401(k) y estabas contratado o contribuiste al plan antes del 12 de agosto de 1989?" doc_1099r_label: 1099-R income_source_bailey_settlement_html: Beneficios de jubilación como parte del Acuerdo Bailey - income_source_question: 'Selecciona la fuente de este ingreso:' + income_source_question: "Selecciona la fuente de este ingreso:" other: Ninguna de estas opciones aplican subtitle: Necesitamos más información de tu formulario 1099-R para confirmar tu elegibilidad. - taxable_amount_label: 'Cantidad sujeta a impuestos:' - taxpayer_name_label: 'Nombre del declarante:' + taxable_amount_label: "Cantidad sujeta a impuestos:" + taxpayer_name_label: "Nombre del declarante:" title: "¡Podrías ser elegible para la deducción de ingresos de jubilación de Carolina del Norte!" uniformed_services_bullets: - - Las Fuerzas Armadas - - El cuerpo comisionado de la Administración Nacional Oceánica y Atmosférica (NOAA) - - El cuerpo comisionado del Servicio de Salud Pública de los Estados Unidos (USPHS) + - Las Fuerzas Armadas + - El cuerpo comisionado de la Administración Nacional Oceánica y Atmosférica (NOAA) + - El cuerpo comisionado del Servicio de Salud Pública de los Estados Unidos (USPHS) uniformed_services_checkboxes: Por favor, marca todas las casillas sobre los servicios uniformados que apliquen a ti o a tu cónyuge. - uniformed_services_description: 'Los Servicios Uniformados son grupos de personas en roles militares y relacionados. Estos incluyen:' + uniformed_services_description: "Los Servicios Uniformados son grupos de personas en roles militares y relacionados. Estos incluyen:" uniformed_services_html: Beneficios de jubilación de los Servicios Uniformados uniformed_services_more_info_html: Puedes leer más sobre los servicios uniformados aquí. uniformed_services_qualifying_plan: "¿Estos fueron pagos de un Plan de Beneficios para Sobrevivientes calificado para un beneficiario de un miembro retirado que prestó servicio al menos 20 años o que fue retirado por motivos médicos de los Servicios Uniformados?" @@ -3345,7 +3321,7 @@ es: edit: calculated_use_tax: Ingresa el impuesto sobre uso calculado explanation_html: Si hiciste alguna compra sin pagar impuestos sobre la venta, puede que debas el impuesto sobre el uso de esas compras. Te ayudaremos a saber la cantidad exacta. - select_one: 'Selecciona una de las siguientes opciones:' + select_one: "Selecciona una de las siguientes opciones:" state_specific: nc: manual_instructions_html: (Obtén más información aquí, buscando 'consumer use worksheet). @@ -3357,7 +3333,7 @@ es: use_tax_method_automated: No mantuve un registro completo de todas las compras. Calculen el monto del impuesto sobre uso por mí. use_tax_method_manual: Mantuve un registro completo de todas las compras y haré el cálculo de mi impuesto sobre uso manualmente. what_are_sales_taxes: "¿Qué son los impuestos sobre ventas?" - what_are_sales_taxes_body: 'Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado.' + what_are_sales_taxes_body: "Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado." what_are_use_taxes: "¿Qué son los impuestos sobre uso?" what_are_use_taxes_body: Si compras algo de otro estado (como compras en línea o en una tienda ubicada en otro estado) y no pagas el impuesto sobre ventas, generalmente se requiere que pagues el impuesto sobre uso a tu estado de residencia. nc_spouse_state_id: @@ -3382,7 +3358,7 @@ es: account_type: label: Tipo de cuenta bancaria after_deadline_default_withdrawal_info: Debido a que está presentando su declaración el o después del %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, el estado retirará su pago tan pronto como procesen su declaración. - bank_title: 'Por favor, comparte los detalles de tu cuenta bancaria:' + bank_title: "Por favor, comparte los detalles de tu cuenta bancaria:" confirm_account_number: Confirma el número de cuenta confirm_routing_number: Confirma el número de ruta bancaria (routing number) date_withdraw_text: "¿Cuándo te gustaría que se retiren los fondos de tu cuenta? (debe ser antes o en el día del %{withdrawal_deadline_date} de %{with_drawal_deadline_year}):" @@ -3425,7 +3401,7 @@ es: filer_pays_tuition_books: Yo (o mi cónyuge, si presentamos una declaración conjunta) pago al menos la mitad de la matrícula y los costos universitarios de %{dependent_first}. full_time_college_helper_description: '"Tiempo completo" (full time) es lo que la universidad considere como tiempo completo. Esto se puede encontrar en el estado de cuenta de matrícula 1098 T.' full_time_college_helper_heading: ¿Qué cuenta como "asistir a la universidad a tiempo completo"? - reminder: 'Recordatorio: marca las casillas correspondientes a continuación para cada dependiente, si corresponde.' + reminder: "Recordatorio: marca las casillas correspondientes a continuación para cada dependiente, si corresponde." subtitle_html: "

    Solo puedes reclamar esto para los dependientes que figuran en tu declaración.

    \n

    Marca las casillas para cada dependiente, si corresponde.

    \n

    Luego, reclamaremos una exención de $1,000 por cada estudiante dependiente que califique.

    \n" title: Puedes calificar para exenciones de impuestos por cualquier dependiente menor de 22 años que asista a la universidad. tuition_books_helper_description_html: Para calcular el monto total, suma el costo de la matrícula universitaria, el costo de los libros (y materiales) y cualquier dinero ganado por el/la estudiante en programas de trabajo y estudio universitarios. No incluyas otra ayuda financiera recibida. @@ -3441,7 +3417,7 @@ es: edit: continue: Haz clic en "Continuar" si todas estas personas tenían seguro médico. coverage_heading: "¿Qué es el seguro de salud con cobertura mínima esencial?" - label: 'Marca todas las personas que NO tuvieron seguro médico:' + label: "Marca todas las personas que NO tuvieron seguro médico:" title_html: Por favor, dinos qué dependientes no tuvieron seguro médico (con cobertura médica mínima esencial) en %{filing_year}. nj_disabled_exemption: edit: @@ -3453,7 +3429,7 @@ es: edit: helper_contents_html: "

    Eres el hijo/a calificado/a de otro contribuyente para el Crédito Tributario por Ingresos del Trabajo de New Jersey (NJEITC) en %{filing_year} si se cumplen todas estas condiciones:

    \n
      \n
    1. Eres:\n
        \n
      • el/la hijo/a, hijastro/a, hijo/a adoptivo/a o descendiente de alguno de ellos, o
      • \n
      • Hermano/a, medio hermano/a, hermanastro/a o descendiente de alguno de ellos
      • \n
      \n
    2. \n
    3. Tú eras: \n
        \n
      • Menor de 19 años al final del año y menor que esa persona (o el cónyuge de esa persona, si presentaron una declaración conjunta), o
      • \n
      • Menor de 24 años al final del año, estudiante y menor que esa persona (o el cónyuge de esa persona, si presentaron una declaración conjunta), o
      • \n
      • De cualquier edad y tuviste una discapacidad permanente que te impidió trabajar y ganar dinero
      • \n
      \n
    4. \n
    5. Viviste con esa persona en los Estados Unidos durante más de 6 meses en %{filing_year}.
    6. \n
    7. No estás presentando una declaración conjunta con tu cónyuge para el año. O estás presentando una declaración conjunta con tu cónyuge solo para obtener un reembolso del dinero que pagaste por impuestos.
    8. \n
    \n

    Si todas estas afirmaciones son ciertas, eres el hijo/a calificado/a de otro contribuyente para el NJEITC. Esto es así incluso si no reclaman el crédito o no cumplen con todas las reglas para reclamarlo.

    \n

    Si solo algunas de estas afirmaciones son ciertas, NO eres el hijo/a calificado/a de otro contribuyente para el NJEITC.

    " helper_heading: "¿Cómo sé si podría ser el hijo/a calificado/a de otra persona para el NJEITC?" - instructions: 'Nota: podrías obtener el crédito estatal incluso si no calificaste para el federal.' + instructions: "Nota: podrías obtener el crédito estatal incluso si no calificaste para el federal." primary_eitc_qualifying_child_question: En %{filing_year}, ¿podrías ser el hijo/a calificado/a de otra persona para el Crédito Tributario por Ingresos del Trabajo de New Jersey (NJEITC)? spouse_eitc_qualifying_child_question: En %{filing_year}, ¿podría tu cónyuge ser el hijo/a calificado/a de otra persona para el NJEITC? title: Puedes ser elegible para el Crédito Tributario por Ingreso del Trabajo de New Jersey (NJEITC por sus siglas en inglés). @@ -3484,7 +3460,7 @@ es: - label: 'Total:' + label: "Total:" title: Por favor, dinos si ya pagaste parte de tus impuestos estatales de New Jersey de %{filing_year}. nj_gubernatorial_elections: edit: @@ -3581,7 +3557,7 @@ es:
  • Gastos que fueron reembolsados por tu plan de seguro médico.
  • do_not_claim: Si no deseas reclamar esta deducción, haz clic en "Continuar". - label: 'Ingresa el total de gastos médicos no reembolsados pagados en %{filing_year}:' + label: "Ingresa el total de gastos médicos no reembolsados pagados en %{filing_year}:" learn_more_html: |-

    "Gastos médicos" significa pagos no reembolsados por costos como:

      @@ -3609,18 +3585,18 @@ es: title: Confirma tu Identidad (Opcional) nj_retirement_income_source: edit: - doc_1099r_label: '1099-R:' + doc_1099r_label: "1099-R:" helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: 'Select the source of this income:' + label: "Select the source of this income:" option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: 'Taxable Amount:' - taxpayer_name_label: 'Taxpayer Name:' + taxable_amount_label: "Taxable Amount:" + taxpayer_name_label: "Taxpayer Name:" title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3649,13 +3625,13 @@ es: property_tax_paid: Impuestos sobre la propiedad pagados en %{filing_year} rent_paid: Alquiler pagado en %{filing_year} retirement_income_source: 1099-R Retirement Income Source - retirement_income_source_doc_1099r_label: '1099-R:' - retirement_income_source_label: 'Source:' + retirement_income_source_doc_1099r_label: "1099-R:" + retirement_income_source_label: "Source:" retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits - retirement_income_source_other: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: 'Taxable Amount:' - retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' + retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits + retirement_income_source_taxable_amount_label: "Taxable Amount:" + retirement_income_source_taxpayer_name_label: "Taxpayer Name:" reveal: 15_wages_salaries_tips: Salarios, sueldos, propinas 16a_interest_income: Ingreso total @@ -3687,7 +3663,7 @@ es: year_of_death: Año de fallecimiento del cónyuge nj_sales_use_tax: edit: - followup_radio_label: 'Selecciona una de las siguientes:' + followup_radio_label: "Selecciona una de las siguientes:" helper_description_html: "

      Esto se aplica a las compras online donde no se aplicó el impuesto sobre ventas o uso. (Amazon y muchos otros minoristas aplican impuestos).

      \n

      También se aplica a los artículos o servicios comprados fuera del estado, en un estado donde no había impuesto sobre las ventas o la tasa del impuesto sobre las ventas era inferior a la tasa de New Jersey del 6.625%.

      \n

      (Revisa esta página para obtener más detalles.)

      \n" helper_heading: "¿A qué tipo de artículos o servicios se aplica esto?" manual_use_tax_label_html: "Ingresa el monto total del impuesto sobre uso (Use Tax)" @@ -3853,7 +3829,7 @@ es: edit: calculated_use_tax: Ingresa el impuesto de uso calculado. (Redondea al número entero más cercano.) enter_valid_dollar_amount: Ingresa una cantidad en dólares entre 0 y 1699. - select_one: 'Selecciona una de las siguientes opciones:' + select_one: "Selecciona una de las siguientes opciones:" subtitle_html: Esto incluye compras en línea donde no se aplicaron impuestos sobre las ventas o el uso. title: many: "¿Usted o su cónyuge realizaron alguna compra fuera del estado en %{year} sin pagar impuestos sobre ventas o de uso?" @@ -3896,7 +3872,7 @@ es: many: Mi cónyuge y yo vivimos en la ciudad de Nueva York durante parte del año, o vivimos en la ciudad de Nueva York durante diferentes períodos. one: Viví en la ciudad de Nueva York durante parte del año other: Mi cónyuge y yo vivimos en la ciudad de Nueva York durante parte del año, o vivimos en la ciudad de Nueva York durante diferentes períodos. - title: 'Selecciona tu estado de residencia en la ciudad de Nueva York durante el %{year}:' + title: "Selecciona tu estado de residencia en la ciudad de Nueva York durante el %{year}:" pending_federal_return: edit: body_html: Lamentamos hacerte esperar.

      Recibirás un correo electrónico de IRS Direct File cuando tu declaración de impuestos federales sea aceptada, con un enlace para traerte de regreso aquí. Revisa tu carpeta de spam. @@ -3955,8 +3931,8 @@ es: direct_debit_html: Si tienes un saldo de impuestos pendiente, recuerda pagarlo en línea en %{tax_payment_info_text} o por correo antes de la fecha límite de declaración que es el 15 de abril. download_voucher: Descarga e imprime el formulario de comprobante de pago completado. feedback: Valoramos sus comentarios; háganos saber lo que piensa de esta herramienta. - include_payment: Completa el formulario de comprobante de pago - mail_voucher_and_payment: 'Envía el formulario de comprobante de pago y tu pago por correo postal a:' + include_payment: Incluir el formulario de comprobante de pago. + mail_voucher_and_payment: "Envía el formulario de comprobante de pago y tu pago por correo postal a:" md: refund_details_html: | Puedes verificar el estado de tu reembolso visitando www.marylandtaxes.gov y haciendo clic en “Where is my refund?” También puedes llamar a la línea de consulta automatizada de reembolsos al 1-800-218-8160 (sin cargo) o al 410-260-7701. @@ -3979,7 +3955,7 @@ es: Necesitarás ingresar tu número de seguro social y la cantidad exacta del reembolso.

      También puedes llamar a la línea de consulta de reembolsos sin cargo del Departamento de Ingresos de Carolina del Norte al 1-877-252-4052, disponible las 24 horas del día, los 7 días de la semana. - pay_by_mail_or_moneyorder: 'Si vas a enviar tu pago por correo, usando un cheque o giro postal, necesitarás:' + pay_by_mail_or_moneyorder: "Si vas a enviar tu pago por correo, usando un cheque o giro postal, necesitarás:" refund_details_html: 'Generalmente los reembolsos tardan de 7 a 8 semanas para las declaraciones electrónicas y de 10 a 11 semanas para las declaraciones en papel. Hay algunas excepciones. Para más información, visita el sitio web %{website_name} : ¿Dónde está mi reembolso?' title: Tu declaración de impuestos de %{state_name} de %{filing_year} ha sido aceptada additional_content: @@ -4006,8 +3982,8 @@ es: no_edit: body_html: Desafortunadamente, ha habido un problema con la presentación de su declaración estatal que no se puede resolver con nuestra herramienta. Le recomendamos descargar su declaración para ayudarle en los próximos pasos. Chatea con nosotros o envíanos un correo electrónico a help@fileyourstatetaxes.org para obtener orientación sobre los próximos pasos. title: "¿Qué puedo hacer a continuación?" - reject_code: 'Código de Rechazo:' - reject_desc: 'Descripción del Rechazo:' + reject_code: "Código de Rechazo:" + reject_desc: "Descripción del Rechazo:" title: Lamentablemente, tu declaración de impuestos estatal de %{state_name}de %{filing_year} fue rechazada review: county: Condado donde vivías el 31 de diciembre de %{filing_year} @@ -4027,7 +4003,7 @@ es: your_name: Tu nombre review_header: income_details: Detalles de ingresos - income_forms_collected: 'Formulario(s) de ingresos recogidos:' + income_forms_collected: "Formulario(s) de ingresos recogidos:" state_details_title: Detalles estatales your_refund: La cantidad de tu reembolso your_tax_owed: Los impuestos que debes @@ -4037,13 +4013,15 @@ es: term_2_html: Puedes cancelar el servicio de SMS en cualquier momento. Simplemente envía la palabra "STOP" al 46207. Después de que envíes el mensaje SMS con la palabra "STOP", te enviaremos un SMS para confirmar que te has dado de baja. Después de esto, ya no recibirás más SMS de nuestra parte. Si deseas unirte nuevamente, simplemente responde con la palabra "START" y comenzaremos a enviarte mensajes de texto otra vez. term_3_html: Si en algún momento olvidas qué palabras clave son compatibles, solo envía un mensaje de texto con la palabra"HELP". al 46207. Después de que envíes el SMS con la palabra "HELP", responderemos con instrucciones sobre cómo usar nuestro servicio, así como sobre cómo darte de baja. term_4_html: "Podemos enviar mensajes a los siguientes proveedores de telefonía móvil:" - term_5: 'Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile.' - term_6: 'Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless).' + term_5: "Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile." + term_6: "Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless)." term_7: Los proveedores de telefonía móvil (por ejemplo, AT&T, Verizon, T-Mobile, Sprint, etc.) no son responsables de mensajes no entregados o retrasados. - term_8_html: 'Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tienes alguna pregunta sobre tu plan de mensajes o plan de datos, es mejor contactar a tu proveedor de telefonía móvil.

      Si tienes preguntas sobre los servicios proporcionados por este código corto, puedes enviar un correo electrónico a help@fileyourstatetaxes.org. + term_8_html: + 'Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tienes alguna pregunta sobre tu plan de mensajes o plan de datos, es mejor contactar a tu proveedor de telefonía móvil.

      Si tienes preguntas sobre los servicios proporcionados por este código corto, puedes enviar un correo electrónico a help@fileyourstatetaxes.org. ' - term_9_html: 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: www.fileyourstatetaxes.org/es/privacy-policy + term_9_html: + 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: www.fileyourstatetaxes.org/es/privacy-policy ' title: Por favor, revisa los términos y condiciones de mensajería de FileYourStateTaxes. @@ -4061,12 +4039,12 @@ es: nj_additional_content: body_html: Dijiste que tú están solicitando la exención de veterano/a de guerra. Si es la primera vez que la solicitas, tienes que presentar documentación y completar un formulario de la División de Impuestos del Estado de New Jersey. Puedes cargarlos aquí. body_mfj_html: Dijiste que tú o tu cónyuge están solicitando la exención de veterano/a de guerra. Si es la primera vez que la solicitas, tienes que presentar documentación y completar un formulario de la División de Impuestos del Estado de New Jersey. Puedes cargarlos aquí. - header: 'Atención: si está reclamando la exención de veterano/a de guerra por primera vez' + header: "Atención: si está reclamando la exención de veterano/a de guerra por primera vez" tax_refund: bank_details: account_number: Número de cuenta after_deadline_default_withdrawal_info: Debido al hecho de que estás enviando tu declaración el %{withdrawal_deadline_date} de %{with_drawal_deadline_year} o después, el estado retirará tu pago tan pronto como se procese tu declaración. - bank_title: 'Comparte los detalles de tu cuenta bancaria:' + bank_title: "Comparte los detalles de tu cuenta bancaria:" confirm_account_number: Confirma el número de cuenta confirm_routing_number: Confirma el número de ruta bancaria (routing number) date_withdraw_text: "¿Cuándo te gustaría que se retiren los fondos de tu cuenta? (debe ser antes o en el día del %{withdrawal_deadline_date} de %{with_drawal_deadline_year}):" @@ -4186,7 +4164,7 @@ es: money_boxes_label: Por favor, completa las siguientes casillas según lo que aparece en el Formulario 1099-G. payer_address: Dirección del pagador payer_name: Nombre del pagador - payer_question_html: 'Por favor ingresa la información del pagador que se encuentra en la esquina superior izquierda del formulario:' + payer_question_html: "Por favor ingresa la información del pagador que se encuentra en la esquina superior izquierda del formulario:" payer_tin: Número TIN del pagador (número de 9 dígitos) recipient_my_spouse: Para mi cónyuge recipient_myself: Para mí @@ -4202,7 +4180,7 @@ es: add_another: Agregar otro formulario 1099-G delete_confirmation: "¿Estás seguro de que quieres eliminar este formulario 1099-G?" lets_review: Gracias por compartirnos esa información. Revisémosla. - unemployment_compensation: 'Compensación por desempleo: %{amount}' + unemployment_compensation: "Compensación por desempleo: %{amount}" use_different_service: body: Antes de escoger una opción, asegúrate de que te permita presentar tu declaración de impuestos sólo a nivel estatal. Es probable que necesites volver a ingresar la información de tu declaración de impuestos federales para preparar tu declaración de impuestos estatales. Puede que apliquen tarifas. faq_link: Visita nuestras Preguntas Frecuentes @@ -4329,7 +4307,7 @@ es: cookies_3: Usamos cookies y otras tecnologías como etiquetas de píxeles para recordar tus preferencias, mejorar tu experiencia en línea y recopilar datos sobre cómo usas nuestro sitio para mejorar la forma en que brindamos nuestro contenido y programas. cookies_4: La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si deseas restringir o bloquear las cookies que establece nuestro sitio, u cualquier otro sitio, puedes hacerlo a través de la configuración de tu navegador. La función 'Ayuda' de tu navegador debería explicar cómo hacerlo. Alternativamente, puedes visitar www.aboutcookies.org, que contiene información completa sobre cómo hacerlo en una amplia variedad de navegadores. Encontrarás información general sobre cookies y detalles sobre cómo eliminar cookies de tu máquina. cookies_header: Cookies - data_retention_1: 'Retendremos tu información mientras sea necesario para: proporcionarte servicios, operar nuestro negocio de acuerdo con esta Notificación, o demostrar el cumplimiento de las leyes y obligaciones legales.' + data_retention_1: "Retendremos tu información mientras sea necesario para: proporcionarte servicios, operar nuestro negocio de acuerdo con esta Notificación, o demostrar el cumplimiento de las leyes y obligaciones legales." data_retention_2: Si ya no deseas continuar con la aplicación con FileYourStateTaxes y solicitas eliminar tu información de nuestros servicios antes de enviar la solicitud, eliminaremos o desidentificaremos tu información dentro de los 90 días posteriores a la terminación de los servicios, a menos que la ley nos exija retener tu información. En ese caso, solo retendremos tu información durante el tiempo requerido por dicha ley. data_retention_header: Retención de datos effective_date: Esta versión de la política es efectiva a partir del 15 de enero de 2024. @@ -4338,7 +4316,7 @@ es: header_1_html: FileYourStateTaxes.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los contribuyentes a presentar sus impuestos estatales después de usar el servicio Direct File del IRS. header_2_html: Esta Política de Privacidad describe cómo recopilamos, usamos, compartimos y protegemos tu información personal. Al usar nuestros servicios, aceptas los términos de esta Política de Privacidad. Esta Notificación de Privacidad se aplica independientemente del tipo de dispositivo que utilices para acceder a nuestros servicios. header_3_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en help@fileyourstatetaxes.org - how_we_collect_your_info: 'Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar:' + how_we_collect_your_info: "Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar:" how_we_collect_your_info_header: Cómo recogemos tu información how_we_collect_your_info_item_1: Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios how_we_collect_your_info_item_2: Nos comparten documentos para usar nuestros servicios @@ -4347,13 +4325,13 @@ es: independent_recourse_header: Cómo apelar una decisión info_collect_1_html: 'No vendemos tu información personal. No compartimos tu información personal con ningún tercero, excepto según se establece en esta Política de Privacidad y de conformidad con el 26 CFR 301.7216-2. De conformidad con la regulación, podemos usar o divulgar tu información en los siguientes casos:' info_collect_item_1: Para análisis e informes, es posible que compartamos información agregada limitada con agencias gubernamentales u otros terceros, incluido el IRS o los departamentos estatales de ingresos, para analizar el uso de nuestros servicios, con el fin de mejorar y ampliar nuestros servicios. Dicho análisis siempre se realiza usando datos anonimados, y la información nunca se divulga en conjuntos menores a diez declaraciones. - info_collect_item_2: 'Para investigación que buscan mejorar nuestros productos de declaración de impuestos, incluido:' + info_collect_item_2: "Para investigación que buscan mejorar nuestros productos de declaración de impuestos, incluido:" info_collect_item_2_1: Para invitarte a completar cuestionarios sobre tu experiencia usando nuestro servicio. info_collect_item_2_2: Para enviarte oportunidades para participar en sesiones pagas de investigación de usuarios, para aprender más sobre tu experiencia usando nuestro servicio y para orientar el desarrollo de futuros productos sin costo de declaración de impuestos. info_collect_item_3_html: Para notificarte sobre la disponibilidad de servicios gratuitos de declaración de impuestos en el futuro. info_collect_item_4: Si es necesario, es posible que divulguemos tu información a contratistas que nos ayuden a brindar nuestros servicios. Exigimos que nuestros terceros que actúan en nuestro nombre mantengan segura tu información personal y no permitimos que estos terceros utilicen o compartan tu información personal para ningún otro fin que no sea brindar servicios en nuestro nombre. - info_collect_item_5: 'Cumplimiento legal: En ciertas situaciones, es posible que se nos requiera compartir datos personales en respuesta a solicitudes legítimas de autoridades públicas, incluyendo para cumplir con requisitos de seguridad nacional o de aplicación de la ley. También puede que compartamos tu información personal según lo exigido por la ley, como para cumplir con una citación u otro proceso legal, cuando creamos de buena fe que la divulgación es necesaria para proteger nuestros derechos, proteger tu seguridad o la seguridad de otros, investigar fraudes o responder a una solicitud gubernamental.' - info_we_collect_1: 'Seguimos el principio de Minimización de Datos en la recolección y uso de tu información personal. Puede que obtengamos la siguiente información sobre ti, tus dependientes o miembros de tu hogar:' + info_collect_item_5: "Cumplimiento legal: En ciertas situaciones, es posible que se nos requiera compartir datos personales en respuesta a solicitudes legítimas de autoridades públicas, incluyendo para cumplir con requisitos de seguridad nacional o de aplicación de la ley. También puede que compartamos tu información personal según lo exigido por la ley, como para cumplir con una citación u otro proceso legal, cuando creamos de buena fe que la divulgación es necesaria para proteger nuestros derechos, proteger tu seguridad o la seguridad de otros, investigar fraudes o responder a una solicitud gubernamental." + info_we_collect_1: "Seguimos el principio de Minimización de Datos en la recolección y uso de tu información personal. Puede que obtengamos la siguiente información sobre ti, tus dependientes o miembros de tu hogar:" info_we_collect_header: Información que recogemos info_we_collect_item_1: Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico info_we_collect_item_10: Información del hogar y información sobre tu cónyuge, si corresponde @@ -4400,14 +4378,14 @@ es: body_1: Cuando optes por el servicio, te enviaremos un mensaje SMS para confirmar tu registro. También le enviaremos mensajes de texto con actualizaciones sobre su declaración de impuestos (la frecuencia de los mensajes variará) y/o códigos OTP/2FA (un mensaje por solicitud). body_2_html: Puedes cancelar el servicio de SMS en cualquier momento. Simplemente envíe "STOP" al 46207. Después de enviarnos el mensaje SMS "STOP", le enviaremos un mensaje SMS para confirmar que se ha cancelado su suscripción. Después de esto, ya no recibirás más mensajes SMS de nuestra parte. Si desea unirse nuevamente, simplemente responda "START" y comenzaremos a enviarle mensajes SMS nuevamente. body_3_html: Si en algún momento olvida qué palabras clave son compatibles, simplemente envíe "HELP" al 46207. Después de enviarnos el mensaje SMS "HELP", le responderemos con instrucciones sobre cómo utilizar nuestro servicio y cómo cancelar la suscripción. - body_4: 'Podemos entregar mensajes a los siguientes proveedores de telefonía móvil:' + body_4: "Podemos entregar mensajes a los siguientes proveedores de telefonía móvil:" body_5a: Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tiene alguna pregunta sobre tu plan de mensajes de texto o de datos, es mejor contactar a tu proveedor de telefonía móvil. body_5b_html: Para todas las preguntas sobre los servicios proporcionados por este código corto, puede enviar un correo electrónico a help@fileyourstatetaxes.org. body_6_html: 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Los proveedores (por ejemplo, AT&T, Verizon, T-Mobile, Sprint, etc.) no son responsables de los mensajes no entregados o retrasados. header: FileYourStateTaxes términos y condiciones de mensajería de texto - major_carriers: 'Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile.' - minor_carriers: 'Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless).' + major_carriers: "Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile." + minor_carriers: "Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless)." state_information_service: az: department_of_taxation: Departamento de Ingresos de Arizona @@ -4434,7 +4412,7 @@ es: atin: Por favor, ingrese un número de identificación fiscal válido de adopción. ctds_code: El código escolar/CTDS debe ser un número de 9 dígitos. dollar_limit: Este monto no puede superar los $%{limit}. Si lo hace, por favor pide asistencia mediante el chat para obtener más información. - ein: 'El EIN, o en español: Número de Identificación del Empleador, debe ser un número de 9 dígitos.' + ein: "El EIN, o en español: Número de Identificación del Empleador, debe ser un número de 9 dígitos." file_type: Por favor sube un tipo de documento válido. Los tipos aceptados incluyen %{valid_types} file_zero_length: Sube un archivo válido. El archivo que cargó parece estar vacío. ip_pin: El IP PIN debe ser un número de 6 dígitos. @@ -4514,7 +4492,7 @@ es: Alguien intentó iniciar una sesión en GetCTC con este número de teléfono. Si ya tiene una cuenta con GetCTC, puede intentar iniciar una sesión con su correo electrónico %{url}/portal/iniciar sesión. O visite %{url}y haga clic en "Presentar su declaración simplificada ahora" para empezar. no_match_gyr: "Alguien intentó iniciar una sesión en GetYourRefund con este número de teléfono, pero no pudimos verificar sus credenciales. Se registró con un número de teléfono diferente? \nTambién puede visitar %{url}para empezar.\n" - with_code: 'Tu código de %{service_name} verificación de 6 dígitos es: %{verification_code}. Este código expirará después de 10 minutos.' + with_code: "Tu código de %{service_name} verificación de 6 dígitos es: %{verification_code}. Este código expirará después de 10 minutos." views: consent_pages: consent_to_disclose: @@ -4594,8 +4572,8 @@ es: contact_ta: Contactar Defensores del Contribuyente contact_vita: Contactar un sitio de VITA content_html: - - Para comprobar el estado de su declaración de impuestos de %{current_tax_year}, puede iniciar sesión en su cuenta en línea del IRS. - - Si necesita apoyo adicional, puede comunicarse con un sitio de Asistencia Voluntaria de Impuestos sobre la Renta (VITA) o el Servicio de Defensa del Contribuyente. + - Para comprobar el estado de su declaración de impuestos de %{current_tax_year}, puede iniciar sesión en su cuenta en línea del IRS. + - Si necesita apoyo adicional, puede comunicarse con un sitio de Asistencia Voluntaria de Impuestos sobre la Renta (VITA) o el Servicio de Defensa del Contribuyente. title: Desafortunadamente, no puede usar GetCTC porque ya presentó una declaración de impuestos de %{current_tax_year}. portal: bank_account: @@ -4626,7 +4604,7 @@ es: title: Edita tu dirección messages: new: - body_label: 'Escriba su mensaje a continuación:' + body_label: "Escriba su mensaje a continuación:" title: Contáctenos wait_time: Por favor espere 3 días hábiles para recibir una respuesta. primary_filer: @@ -4637,7 +4615,7 @@ es: prior_tax_year_agi: edit: help_text: Puede encontrar esta información en la línea 11 de su declaración de impuestos %{prior_tax_year}. Ingrese la cantidad correcta de su declaración del %{prior_tax_year} o su declaración será rechazada. - label: 'El Ingreso Bruto Ajustado para %{prior_tax_year} en inglés: AGI' + label: "El Ingreso Bruto Ajustado para %{prior_tax_year} en inglés: AGI" title: 'Edite su ingreso bruto ajustado, en inglés: "Adjusted Gross Income" para %{prior_tax_year}' spouse: help_text: Confirmar / editar la información básica de su cónyuge @@ -4645,7 +4623,7 @@ es: spouse_prior_tax_year_agi: edit: help_text: Puede encontrar esta información en la línea 11 de la declaración de impuestos de su cónyuge del %{prior_tax_year}. Ingrese la cantidad correcta o su declaración será rechazada. - label: 'El Ingreso Bruto Ajustado, en inglés: AGI del cónyuge para %{prior_tax_year}' + label: "El Ingreso Bruto Ajustado, en inglés: AGI del cónyuge para %{prior_tax_year}" title: Edite el ingreso bruto ajustado de su cónyuge de %{prior_tax_year} submission_pdfs: not_ready: Se está generando el pdf de su declaración de impuestos. Espere unos segundos y actualice la página. @@ -4653,7 +4631,7 @@ es: i_dont_have_id: No tengo identificación, o ID id: Su licencia de manejar o tarjeta de identificación del estado, o ID id_label: Identificación con foto - info: 'Para proteger su identidad y verificar su información, necesitaremos que envíe las dos siguientes fotos:' + info: "Para proteger su identidad y verificar su información, necesitaremos que envíe las dos siguientes fotos:" paper_file: download_link_text: Descargar el formulario 1040 go_back: Entregar en cambio mi identificación, o ID @@ -4687,8 +4665,8 @@ es: title: "¿Recibió algún pago por adelantado del Crédito Tributario por Hijos del IRS en 2021?" question: "¿Recibió esta cantidad?" title: "¿Recibió un total de $%{adv_ctc_estimate} en los pagos adelantados del Crédito Tributario por Hijos en 2021?" - total_adv_ctc: 'Estimamos que usted habrá recibido:' - total_adv_ctc_details_html: 'por estos dependientes:' + total_adv_ctc: "Estimamos que usted habrá recibido:" + total_adv_ctc_details_html: "por estos dependientes:" yes_received: Recibí esta cantidad advance_ctc_amount: details_html: | @@ -4707,15 +4685,15 @@ es: correct: Corregir la cantidad que recibí no_file: No necesito presentar una declaración de impuestos content: - - Usted indicó %{amount_received} para la cantidad total de los pagos adelantados del Crédito Tributario por Hijos que recibió en 2021. - - Si está correcta, no recibirá ningún Crédito Tributario por Hijos, y es probable que no tenga que terminar de presentar este formulario para presentar su declaración. + - Usted indicó %{amount_received} para la cantidad total de los pagos adelantados del Crédito Tributario por Hijos que recibió en 2021. + - Si está correcta, no recibirá ningún Crédito Tributario por Hijos, y es probable que no tenga que terminar de presentar este formulario para presentar su declaración. title: Ya no hay más Crédito Tributario por Hijos para reclamar. advance_ctc_received: already_received: Cantidad que recibió ctc_owed_details: Si la cantidad que ha anotado es incorrecta, su reembolso de impuestos podría retrasarse mientras el IRS hace las correcciones en su declaración. - ctc_owed_title: 'Tiene derecho a recibir esta cantidad adicional:' + ctc_owed_title: "Tiene derecho a recibir esta cantidad adicional:" title: Muy bien. Hemos calculado su Crédito Tributario por Hijos. - total_adv_ctc: 'Total del Pago por Adelantado del Crédito Tributario por Hijos: %{amount}' + total_adv_ctc: "Total del Pago por Adelantado del Crédito Tributario por Hijos: %{amount}" already_completed: content_html: |

      Ha completado todas las preguntas de admisión y estamos revisando y presentando su declaración de impuestos.

      @@ -4732,17 +4710,17 @@ es:

      Si recibió una noticia del IRS este año sobre su planilla (Carta 5071C, Carta 6331C, o Carta 12C), entonces ya radicó una planilla federal con el IRS este año.

      Nota: una planilla federal con el IRS es diferente de una planilla de Puerto Rico que habrá radicado con el Departamento de Hacienda.

      reveal: - content_title: 'Si recibió una de estas cartas, ya ha radicado una planilla federal:' + content_title: "Si recibió una de estas cartas, ya ha radicado una planilla federal:" list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: Recibí otra carta del IRS. ¿Significa que ya radiqué la planilla federal? title: "¿Radicó una planilla federal de %{current_tax_year} al IRS este año?" title: "¿Declaró este año los impuestos para %{current_tax_year}?" @@ -4765,9 +4743,9 @@ es: help_text: El Crédito Tributario por Ingreso del Trabajo (EITC, por sus siglas en inglés) es un crédito tributario que puede darle hasta $6,700. info_box: list: - - Tenías un trabajo ganando dinero en %{current_tax_year} - - Cada persona en esta declaración tiene un SSN - title: 'Requisitos:' + - Tenías un trabajo ganando dinero en %{current_tax_year} + - Cada persona en esta declaración tiene un SSN + title: "Requisitos:" title: "¿Le gustaría reclamar más dinero compartiendo algún formulario W-2 de 2021?" confirm_bank_account: bank_information: La información de su banco @@ -4775,7 +4753,7 @@ es: confirm_dependents: add_a_dependent: Agregar un dependiente birthday: fecha de nacimiento - done_adding: 'Termine de agregar dependientes ' + done_adding: "Termine de agregar dependientes " subtitle: Estos son los créditos para los que sus dependientes son elegibles en %{current_tax_year}. Tenga en cuenta que cada crédito tiene su propio conjunto de reglas de elegibilidad. title: Confirmemos sus dependientes confirm_information: @@ -4805,20 +4783,20 @@ es: ctc_due: Crédito Tributario por Hijos (CTC) do_not_file: No presente sus impuestos do_not_file_flash_message: "¡Gracias por haber utilizado GetCTC! No presentaremos su declaración." - eitc: 'Crédito Tributario por Ingreso del Trabajo (EITC):' - fed_income_tax_withholding: 'Impuesto Retenido:' + eitc: "Crédito Tributario por Ingreso del Trabajo (EITC):" + fed_income_tax_withholding: "Impuesto Retenido:" subtitle: "¡Ya casi terminas! Por favor revisa la información que tenemos" third_stimulus: Tercer Pago de Estímulo - title: 'Revise esta lista de los pagos que está reclamando:' - total: 'Reembolso total:' + title: "Revise esta lista de los pagos que está reclamando:" + total: "Reembolso total:" confirm_primary_prior_year_agi: - primary_prior_year_agi: 'Sus Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year}' + primary_prior_year_agi: "Sus Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year}" confirm_spouse_prior_year_agi: - spouse_prior_year_agi: 'Los Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year} de su cónyuge' + spouse_prior_year_agi: "Los Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year} de su cónyuge" contact_preference: body: Le enviaremos un código para verificar su información de contacto y así poder enviarle información actualizada sobre su declaración de impuestos. ¡Por favor, seleccione la opción que mejor prefiera! email: Envíenme correos electrónicos - sms_policy: 'Aviso: Se aplican las tarifas estándar de los mensajes SMS. No compartiremos su información con terceros.' + sms_policy: "Aviso: Se aplican las tarifas estándar de los mensajes SMS. No compartiremos su información con terceros." text: Envíenme un mensaje de texto title: "¿Cuál es la mejor manera de contactarte?" dependents: @@ -4828,8 +4806,8 @@ es: child_claim_anyway: help_text: list: - - Quien haya vivido con %{name} durante más tiempo en %{current_tax_year} tiene derecho a reclamarlos. - - Si ambos pasaron el mismo tiempo viviendo con %{name} en %{current_tax_year}, el padre que ganó más dinero en %{current_tax_year} puede reclamar %{name}. + - Quien haya vivido con %{name} durante más tiempo en %{current_tax_year} tiene derecho a reclamarlos. + - Si ambos pasaron el mismo tiempo viviendo con %{name} en %{current_tax_year}, el padre que ganó más dinero en %{current_tax_year} puede reclamar %{name}. p1: Si usted y la otra persona que podría reclamar al dependiente son ambos sus padres legales... p2: Si usted es el padre legal de %{name} y la otra persona que podría reclamarlos no lo es, entonces puede reclamarlos. legal_parent_reveal: @@ -4850,7 +4828,7 @@ es: info: Un médico determina que usted tiene una discapacidad permanente cuando no puede realizar la mayor parte de su trabajo debido a una condición física o mental. title: "¿Cuál es la definición de discapacidad total y permanente?" full_time_student: " %{name} fue estudiante a tiempo completo" - help_text: 'Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:' + help_text: "Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:" permanently_totally_disabled: "%{name} estuvo permanente y totalmente incapacitado" student_reveal: info_html: | @@ -4863,10 +4841,10 @@ es: reveal: body: Si su dependiente estuvo en un lugar temporal en 2021, seleccione el número de meses que su casa fue su dirección oficial. list: - - escuela - - centro médico - - centro de detención juvenil - list_title: 'Algunos ejemplos de lugares temporales:' + - escuela + - centro médico + - centro de detención juvenil + list_title: "Algunos ejemplos de lugares temporales:" title: "¿Qué pasa si mi dependiente estuvo fuera durante una temporada en 2021?" select_options: eight: 8 meses @@ -4884,31 +4862,31 @@ es: does_my_child_qualify_reveal: content: list_1: - - Su hijo de acogida/crianza debe haber sido colocado con usted mediante un acuerdo formal con una agencia de acogida o una orden judicial. + - Su hijo de acogida/crianza debe haber sido colocado con usted mediante un acuerdo formal con una agencia de acogida o una orden judicial. list_2: - - Si ha adoptado legalmente o está en proceso de adoptar legalmente a su hijo, seleccione 'hijo' o 'hija' + - Si ha adoptado legalmente o está en proceso de adoptar legalmente a su hijo, seleccione 'hijo' o 'hija' p1: "¿Quién cuenta como hijo de acogida/crianza?" p2: "¿Qué pasa si tengo un hijo adoptado?" title: "¿Mi niño califica?" does_not_qualify_ctc: conditions: - - La persona que intenta declarar podría haber nacido en %{filing_year}. Sólo puede declarar a dependientes nacidos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. - - La persona que intenta declarar podría ser demasiado mayor para ser su dependiente. Excepto en algunos casos específicos, su dependiente tiene que ser menor de 19 años, o menor de 24 si es estudiante. - - Es posible que la persona que intenta declarar no tenga la relación adecuada con usted para ser su dependiente. En la mayoría de los casos, su dependiente tiene que ser su hijo, nieto, sobrino o sobrina. En otros casos limitados, puede reclamar a otros familiares cercanos. - - Es posible que la persona a la que intenta declarar no viva con usted suficiente tiempo durante el año. En la mayoría de los casos, su dependiente debe vivir con usted la mayor parte del año. - - Puede ser que la persona a la que intenta declarar sea económicamente independiente. En la mayoría de los casos, su dependiente no puede pagar sus propios gastos de subsistencia. - - Puede ser que la persona que intenta declarar sea dependiente de otra persona y no el suyo. Sólo un hogar puede declarar a un determinado dependiente. + - La persona que intenta declarar podría haber nacido en %{filing_year}. Sólo puede declarar a dependientes nacidos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. + - La persona que intenta declarar podría ser demasiado mayor para ser su dependiente. Excepto en algunos casos específicos, su dependiente tiene que ser menor de 19 años, o menor de 24 si es estudiante. + - Es posible que la persona que intenta declarar no tenga la relación adecuada con usted para ser su dependiente. En la mayoría de los casos, su dependiente tiene que ser su hijo, nieto, sobrino o sobrina. En otros casos limitados, puede reclamar a otros familiares cercanos. + - Es posible que la persona a la que intenta declarar no viva con usted suficiente tiempo durante el año. En la mayoría de los casos, su dependiente debe vivir con usted la mayor parte del año. + - Puede ser que la persona a la que intenta declarar sea económicamente independiente. En la mayoría de los casos, su dependiente no puede pagar sus propios gastos de subsistencia. + - Puede ser que la persona que intenta declarar sea dependiente de otra persona y no el suyo. Sólo un hogar puede declarar a un determinado dependiente. help_text: No guardamos a %{name} en su declaración de impuestos. Ellos no califican para ningún crédito tributario. puerto_rico: affirmative: Sí, agregar otro niño conditions: - - La persona que está tratando de reclamar podría ser demasiado mayor para calificar para CTC. Deben tener 17 años o menos al final de %{current_tax_year}. - - La persona que intenta reclamar podría haber nacido en %{filing_year}. Solo puede reclamar hijos que estaban vivos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. - - Es posible que la persona que está tratando de reclamar no tenga la relación correcta con usted para calificar para CTC. Debe ser su hijo, su hermano/a o un descendiente de uno de ellos. - - Es posible que la persona que está tratando de reclamar no vive con usted la mayor parte del año. En la mayoría de los casos, solo puede reclamar a los niños que viven con usted la mayor parte del año. - - La persona que está tratando de reclamar podría ser económicamente independiente. En la mayoría de los casos, solo puede reclamar a los niños si no pagan sus propios gastos de manutención. - - La persona que está tratando de reclamar podría ser el hijo de otra persona, no el suyo. Solo un hogar puede reclamar a un niño determinado. - - Es posible que la persona que está tratando de reclamar no tenga un Número de Seguro Social (SSN) válido. Para ser elegible para CTC, deben tener un Número de Seguro Social que sea válido para el empleo. + - La persona que está tratando de reclamar podría ser demasiado mayor para calificar para CTC. Deben tener 17 años o menos al final de %{current_tax_year}. + - La persona que intenta reclamar podría haber nacido en %{filing_year}. Solo puede reclamar hijos que estaban vivos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. + - Es posible que la persona que está tratando de reclamar no tenga la relación correcta con usted para calificar para CTC. Debe ser su hijo, su hermano/a o un descendiente de uno de ellos. + - Es posible que la persona que está tratando de reclamar no vive con usted la mayor parte del año. En la mayoría de los casos, solo puede reclamar a los niños que viven con usted la mayor parte del año. + - La persona que está tratando de reclamar podría ser económicamente independiente. En la mayoría de los casos, solo puede reclamar a los niños si no pagan sus propios gastos de manutención. + - La persona que está tratando de reclamar podría ser el hijo de otra persona, no el suyo. Solo un hogar puede reclamar a un niño determinado. + - Es posible que la persona que está tratando de reclamar no tenga un Número de Seguro Social (SSN) válido. Para ser elegible para CTC, deben tener un Número de Seguro Social que sea válido para el empleo. help_text: No guardaremos %{name} en su planilla. No califica para el Crédito Tributario por Hijos. negative: No, continuar title: No puede reclamar el Crédito Tributario por Hijos por %{name}. ¿Le gustaría agregar a alguien más? @@ -4921,7 +4899,7 @@ es: last_name: Apellido legal middle_initial: Segundo nombre(s) legal (opcional) relationship_to_you: "¿Qué relación tiene con usted?" - situations: 'Seleccione si lo siguiente es cierto:' + situations: "Seleccione si lo siguiente es cierto:" suffix: Sufijo (opcional) title: "¡Obtengamos información básica sobre esta persona!" relative_financial_support: @@ -4933,7 +4911,7 @@ es: gross_income_reveal: content: El "ingreso bruto" generalmente incluye todos los ingresos recibidos durante el año, incluidos los ingresos ganados y no ganados. Los ejemplos incluyen salarios, dinero en efectivo de su propio negocio o trabajo adicional, ingresos por desempleo o ingresos del Seguro Social. title: "¿Qué es el ingreso bruto?" - help_text: 'Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:' + help_text: "Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:" income_requirement: "%{name} ganó menos de $4,300 en ingresos brutos." title: Solamente hay que verificar algunas cosas más. remove_dependent: @@ -4990,7 +4968,7 @@ es: info: Un joven sin hogar calificado es alguien que no tiene hogar o está en riesgo de no tenerlo, y que se mantiene económicamente. Debe tener entre 18-24 años y no puede estar bajo la custodia física de un padre o tutor. title: "¿Soy un joven sin hogar calificado?" not_full_time_student: No era estudiante a tiempo completo - title: 'Seleccione cualquiera de las situaciones que fueron verdaderas en %{current_tax_year}:' + title: "Seleccione cualquiera de las situaciones que fueron verdaderas en %{current_tax_year}:" email_address: title: Favor de compartir su correo electrónico file_full_return: @@ -4999,14 +4977,14 @@ es: help_text2: Si presenta una declaración de impuestos completa, podría recibir beneficios en efectivo adicionales del Crédito Tributario por Ingreso del Trabajo, créditos fiscales estatales y más. help_text_eitc: Si tiene ingresos que se informan en un 1099-NEC o un 1099-K, debe presentar una declaración de impuestos completa. list_1_eitc: - - Crédito Tributario por Hijos - - 3er Pago de Estímulo - - Crédito Tributario por Ingreso del Trabajo - list_1_eitc_title: 'Puede presentar una declaración simplificada para reclamar:' + - Crédito Tributario por Hijos + - 3er Pago de Estímulo + - Crédito Tributario por Ingreso del Trabajo + list_1_eitc_title: "Puede presentar una declaración simplificada para reclamar:" list_2_eitc: - - Pago de estímulo 1 o 2 - - Créditos fiscales estatales o pagos de estímulo estatales - list_2_eitc_title: 'No puede usar esta herramienta para reclamar:' + - Pago de estímulo 1 o 2 + - Créditos fiscales estatales o pagos de estímulo estatales + list_2_eitc_title: "No puede usar esta herramienta para reclamar:" puerto_rico: full_btn: Radicar una planilla de impuestos de Puerto Rico help_text: Esto no es una planilla de Puerto Rico con el Departamento de Hacienda. Si desea reclamar beneficios adicionales (como el Crédito Tributario por Ingreso del Trabajo, cualquier de los pagos de estímulo o otros créditos de Puerto Rico), deberá radicar una planilla de Puerto Rico al Departamento de Hacienda. @@ -5014,9 +4992,9 @@ es: title: Está radicando una planilla federal simplificada para reclamar solo su Crédito Tributario por Hijos. reveal: body_html: - - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. - - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. - - Si se saltó alguno de los primeros o segundos pagos de estímulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. + - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. + - Si se saltó alguno de los primeros o segundos pagos de estímulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. title: "¿Cómo puedo conseguir más información sobre los dos primeros pagos de estímulo?" simplified_btn: Continuar con la declaración simplificada title: En este momento está presentando una declaración de impuestos simplificada para solicitar su Crédito Tributario por Hijos y el tercer pago de estímulo. @@ -5029,7 +5007,7 @@ es: puerto_rico: did_not_file: No, no radiqué una planilla federal al IRS de %{prior_tax_year} filed_full: Sí, radiqué una planilla federal al IRS - note: 'Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda.' + note: "Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda." title: "¿Presentó una planilla de impuestos federal de %{prior_tax_year} con el IRS?" title: "¿Presentó la declaración de impuestos del %{prior_tax_year}?" filing_status: @@ -5050,54 +5028,54 @@ es: title: Para solicitar el Crédito Tributario por Hijos, debe agregar a las personas a su cargo (hijos o otras personas a las que mantiene económicamente) which_relationships_qualify_reveal: content: - - Hijo - - Hija - - Hijastro - - Hijo de acogida/crianza - - Sobrina - - Sobrino - - Nieto - - Medio hermano - - Media hermana - - Hermanastro - - Hermanastra - - Bisnieto - - Padre - - Padrastro - - Abuelo - - Tía - - Tío - - En leyes - - Otros descendientes de mis hermanos - - Otra relación no listada + - Hijo + - Hija + - Hijastro + - Hijo de acogida/crianza + - Sobrina + - Sobrino + - Nieto + - Medio hermano + - Media hermana + - Hermanastro + - Hermanastra + - Bisnieto + - Padre + - Padrastro + - Abuelo + - Tía + - Tío + - En leyes + - Otros descendientes de mis hermanos + - Otra relación no listada content_puerto_rico: - - Hijo - - Hija - - Hijastro - - Niño de acogida - - Sobrina - - Sobrino - - Nieto - - Medio hermano - - Media hermana - - Hermanastro - - Hermanastra - - Bisnieto - - Otros descendientes de mis hermanos + - Hijo + - Hija + - Hijastro + - Niño de acogida + - Sobrina + - Sobrino + - Nieto + - Medio hermano + - Media hermana + - Hermanastro + - Hermanastra + - Bisnieto + - Otros descendientes de mis hermanos title: "¿Qué relaciones califican?" head_of_household: claim_hoh: Declarar estado de Jefe de Familia, "HoH" por sus siglas en inglés. do_not_claim_hoh: No declarar estado de Jefe de Familia, "HoH" por sus siglas en inglés. eligibility_b_criteria_list: - - Un dependiente que sea su hijo, hermano o descendiente de uno de ellos; que viva con usted más de la mitad del año; que tenga menos de 19 años a finales de 2021, o menos de 24 y sea estudiante a tiempo completo, o que tenga una discapacidad permanente; que haya pagado menos de la mitad de sus propios gastos de manutención en 2021; y que no haya presentado la declaración conjuntamente con su cónyuge - - Un padre dependiente que gane menos de $4,300 y para el que usted cubra más de la mitad de sus gastos de manutención - - Otro familiar dependiente que viva con usted más de la mitad del año, que gane menos de $4,300 y para quien usted cubra más de la mitad de sus gastos de manutención + - Un dependiente que sea su hijo, hermano o descendiente de uno de ellos; que viva con usted más de la mitad del año; que tenga menos de 19 años a finales de 2021, o menos de 24 y sea estudiante a tiempo completo, o que tenga una discapacidad permanente; que haya pagado menos de la mitad de sus propios gastos de manutención en 2021; y que no haya presentado la declaración conjuntamente con su cónyuge + - Un padre dependiente que gane menos de $4,300 y para el que usted cubra más de la mitad de sus gastos de manutención + - Otro familiar dependiente que viva con usted más de la mitad del año, que gane menos de $4,300 y para quien usted cubra más de la mitad de sus gastos de manutención eligibility_list_a: a. No está casado - eligibility_list_b: 'b. Tiene una o más de las siguientes características:' + eligibility_list_b: "b. Tiene una o más de las siguientes características:" eligibility_list_c_html: "c. Usted paga al menos la mitad de los gastos de mantenimiento de la vivienda en la que vive esta persona dependiente - gastos que incluyen los impuestos sobre la propiedad, los intereses de la hipoteca, el alquiler/renta, los servicios públicos, el mantenimiento/reparaciones y los alimentos consumidos." full_list_of_rules_html: La lista completa de las condiciones para declarar como la Jefe de familia está disponible aquí. Si decide solicitar el estatus de jefe de familia, usted entiende que es responsable de revisar estas condiciones y asegurarse de que cumple los requisitos. subtitle_1: Debido a que está declarando a sus dependientes, puede ser elegible para declarar el estatus de Jefe de Familia en su declaración. La solicitud de la condición de jefe de familia no aumentará su reembolso y no le dará derecho a ningún beneficio fiscal adicional. No le recomendamos que solicite la condición de jefe de familia. - subtitle_2: 'Es probable que sea elegible para el estatus de Jefe de Familia si:' + subtitle_2: "Es probable que sea elegible para el estatus de Jefe de Familia si:" title: La declaración con el estatus de jefe de familia no aumentará su reembolso. income: income_source_reveal: @@ -5105,50 +5083,50 @@ es: title: "¿Cómo puedo saber la fuente de mis ingresos?" list: one: - - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia - - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado - - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón + - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia + - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado + - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón other: - - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia - - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado - - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón + - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia + - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado + - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón mainland_connection_reveal: content: Si su familia y sus pertenencias están ubicadas en cualquier de los 50 estados o en un país extranjero en lugar de Puerto Rico, o sus compromisos comunitarios son más fuertes en los 50 estados o en un país extranjero que en Puerto Rico, entonces no puede usar GetCTC como residente de Puerto Rico. title: "¿Qué significa tener una conexión más cercana con los Estados Unidos continentales que con Puerto Rico?" puerto_rico: list: one: - - ganó menos de %{standard_deduction} en ingresos totales - - ganó menos de $400 en ingresos de trabajo por cuenta propia - - no está obligado a radicar una planilla federal completa por cualquier otra razón - - todo su ingreso del trabajo vino de fuentes dentro de Puerto Rico - - usted vivió en Puerto Rico durante al menos la mitad del año (183 días) - - su lugar habitual de trabajo estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico - - no tuvo una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tuvo con Puerto Rico - - no se mudó a Puerto Rico desde otro lugar, o se mudó de Puerto Rico a otro lugar + - ganó menos de %{standard_deduction} en ingresos totales + - ganó menos de $400 en ingresos de trabajo por cuenta propia + - no está obligado a radicar una planilla federal completa por cualquier otra razón + - todo su ingreso del trabajo vino de fuentes dentro de Puerto Rico + - usted vivió en Puerto Rico durante al menos la mitad del año (183 días) + - su lugar habitual de trabajo estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico + - no tuvo una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tuvo con Puerto Rico + - no se mudó a Puerto Rico desde otro lugar, o se mudó de Puerto Rico a otro lugar other: - - usted y su cónyuge ganaron menos de %{standard_deduction} en ingresos totales - - usted y su cónyuge ganaron menos de $400 en ingresos de trabajo por cuenta propia - - usted y su cónyuge no están obligados a radicar una planilla federal completa por cualquier otra razón - - todos los ingresos del trabajo suyo y de su cónyuge vinieron de fuentes dentro de Puerto Rico - - usted y su cónyuge vivieron en Puerto Rico durante al menos la mitad del año (183 días) - - el lugar habitual de trabajo suyo y de su cónyuge estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico - - usted y su cónyuge no tenían una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tenían con Puerto Rico - - usted y su cónyuge no se mudaron a Puerto Rico desde otro lugar, ni se mudaron de Puerto Rico a otro lugar + - usted y su cónyuge ganaron menos de %{standard_deduction} en ingresos totales + - usted y su cónyuge ganaron menos de $400 en ingresos de trabajo por cuenta propia + - usted y su cónyuge no están obligados a radicar una planilla federal completa por cualquier otra razón + - todos los ingresos del trabajo suyo y de su cónyuge vinieron de fuentes dentro de Puerto Rico + - usted y su cónyuge vivieron en Puerto Rico durante al menos la mitad del año (183 días) + - el lugar habitual de trabajo suyo y de su cónyuge estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico + - usted y su cónyuge no tenían una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tenían con Puerto Rico + - usted y su cónyuge no se mudaron a Puerto Rico desde otro lugar, ni se mudaron de Puerto Rico a otro lugar self_employment_income_reveal: content: list_1: - - 1099 contrato de trabajo - - trabajo temporero - - conducir para Uber, Lyft o similar - - alquilar su casa + - 1099 contrato de trabajo + - trabajo temporero + - conducir para Uber, Lyft o similar + - alquilar su casa p1: Los ingresos del trabajo por cuenta propia generalmente son cualquier dinero que ganó de su propio negocio o, en algunos casos, trabajando a tiempo parcial para un empleador. Los ingresos del trabajo por cuenta propia se le informan en un 1099 en lugar de un W-2. p2: 'Si su empleador lo llama "contratista" en lugar de "empleado", sus ingresos de ese trabajo son ingresos por cuenta propia. Los ingresos del trabajo por cuenta propia podrían incluir:' title: "¿Qué se puede considerar como ingreso de un trabajo por cuenta propia?" title: - many: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:' - one: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted:' - other: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:' + many: "Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:" + one: "Solo puede usar GetCTC si, en %{current_tax_year}, usted:" + other: "Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:" what_is_aptc_reveal: content: p1: El Crédito Tributario de Prima de Seguro Médico Adelantado es un subsidio que algunas familias reciben por su seguro médico. @@ -5157,13 +5135,13 @@ es: title: "¿Qué es el Crédito Tributario de Prima de Seguro Médico Adelantado, o Advanced Premium Tax Credit?" income_qualifier: list: - - salario - - salarios por hora - - dividendos y intereses - - propinas - - comisiones - - pagos por cuenta propia o por contrato - subtitle: 'Los ingresos pueden venir de cualquiera de las siguientes fuentes:' + - salario + - salarios por hora + - dividendos y intereses + - propinas + - comisiones + - pagos por cuenta propia o por contrato + subtitle: "Los ingresos pueden venir de cualquiera de las siguientes fuentes:" title: many: "¿Usted y su cónyuge ganaron menos de en %{standard_deduction} en %{current_tax_year}?" one: "¿Ganaste menos de %{standard_deduction} en %{current_tax_year}?" @@ -5187,7 +5165,7 @@ es:

      El IRS le emite un nuevo IP PIN cada año y debe proporcionar el PIN de este año.

      Haga clic aquí para recuperar su IP PIN del IRS.

      irs_language_preference: - select_language: 'Seleccione su idioma preferido:' + select_language: "Seleccione su idioma preferido:" subtitle: El IRS puede comunicarse con usted si tiene preguntas. Tiene la opción de seleccionar un idioma preferido. title: "¿Qué idioma quiere que use el IRS cuando se comunique con usted?" legal_consent: @@ -5248,8 +5226,8 @@ es: add_dependents: Agregar más dependientes puerto_rico: subtitle: - - No recibirá el Crédito Tributario por Hijos. No ha agregado ningún dependiente elegible para el Crédito Tributario por Hijos, por lo que no podemos presentar una declaración en este momento. - - Si esto es un error, puede hacer clic en 'Agregar un niño'. + - No recibirá el Crédito Tributario por Hijos. No ha agregado ningún dependiente elegible para el Crédito Tributario por Hijos, por lo que no podemos presentar una declaración en este momento. + - Si esto es un error, puede hacer clic en 'Agregar un niño'. title: No recibirá el Crédito Tributario por Hijos. subtitle: Basado en sus respuestas no recibirá el Crédito Tributario por Hijos porque no tiene dependientes elegibles. title: No recibirá el Crédito Tributario por Hijos, pero podrá continuar cobrando otros pagos en efectivo. @@ -5259,11 +5237,11 @@ es: non_w2_income: additional_income: list: - - ingresos de contratista - - ingresos por intereses - - ingresos por desempleo - - cualquier otro dinero que recibistes - list_title: 'Los ingresos adicionales incluyen:' + - ingresos de contratista + - ingresos por intereses + - ingresos por desempleo + - cualquier otro dinero que recibistes + list_title: "Los ingresos adicionales incluyen:" title: many: "¿Usted y su cónyuge ganaron más de %{additional_income_amount} en ingresos adicionales?" one: "¿Hiciste más de %{additional_income_amount} en ingresos adicionales?" @@ -5273,7 +5251,7 @@ es: faq: Visita nuestras Preguntas Frecuentes home: Ir a la página de inicio content: - - No enviaremos su información al IRS. + - No enviaremos su información al IRS. title: Ha decidido no presentar la declaración de impuestos. overview: help_text: Use nuestra herramienta sencilla electrónica para recibir su Crédito Tributario por Hijos y, si corresponde, su tercer pago de estímulo. @@ -5298,13 +5276,13 @@ es: restrictions: cannot_use_ctc: No puedo usar GetCTC list: - - una investigación del IRS le ha reducido o rechazado previamente el CTC o el EITC y no ha presentado correctamente el Formulario 8862 desde la investigación - - tiene ingresos en propinas de un trabajo de servicio que no se informó a su empleador - - desea presentar el Formulario 8332 para reclamar a un niño que no vive con usted - - está reclamando un pariente calificado bajo un "acuerdo de manutención múltiple" según lo define el IRS - - no está reclamando ningún hijo para el Crédito Tributario por Hijos este año, pero recibió pagos por Adelantado del Crédito Tributario por Hijos en %{current_tax_year} - - compraste o vendiste criptomonedas en %{current_tax_year} - list_title: 'No puede usar GetCTC si:' + - una investigación del IRS le ha reducido o rechazado previamente el CTC o el EITC y no ha presentado correctamente el Formulario 8862 desde la investigación + - tiene ingresos en propinas de un trabajo de servicio que no se informó a su empleador + - desea presentar el Formulario 8332 para reclamar a un niño que no vive con usted + - está reclamando un pariente calificado bajo un "acuerdo de manutención múltiple" según lo define el IRS + - no está reclamando ningún hijo para el Crédito Tributario por Hijos este año, pero recibió pagos por Adelantado del Crédito Tributario por Hijos en %{current_tax_year} + - compraste o vendiste criptomonedas en %{current_tax_year} + list_title: "No puede usar GetCTC si:" multiple_support_agreement_reveal: content: p1: Un acuerdo de manutención múltiple es un arreglo formal que hace con familiares o amigos para cuidar juntos a un niño o pariente. @@ -5340,7 +5318,7 @@ es: did_not_file: No, %{spouse_first_name} no radicó una planilla de impuestos al IRS de %{prior_tax_year} filed_full: Sí, %{spouse_first_name} radicó una planilla federal al IRS por separado de mí filed_together: Sí, %{spouse_first_name} radicó una planilla federal al IRS junto conmigo - note: 'Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda.' + note: "Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda." title: "¿Radicó %{spouse_first_name} una planilla federal de %{prior_tax_year} al IRS?" title: "¿%{spouse_first_name} presentó una declaración de impuestos de %{prior_tax_year}?" spouse_info: @@ -5367,15 +5345,15 @@ es: title: "¿Cuál fue el ingreso bruto ajustado del %{prior_tax_year} de %{spouse_first_name}?" spouse_review: help_text: Hemos agregado a la siguiente persona como su cónyuge en su declaración. - spouse_birthday: 'Fecha de nacimiento: %{dob}' - spouse_ssn: 'Número de Seguro Social: XXX-XX-%{ssn}' + spouse_birthday: "Fecha de nacimiento: %{dob}" + spouse_ssn: "Número de Seguro Social: XXX-XX-%{ssn}" title: Confirmemos la información de su conyuge your_spouse: Su cónyuge stimulus_owed: amount_received: Cantidad que recibió correction: Si la cantidad que ha indicado es incorrecta, el IRS lo corregirá, pero su pago podría ser retrasado. eip_three: Tercer pago de estímulo - eligible_for: 'Usted está reclamando un adicional de:' + eligible_for: "Usted está reclamando un adicional de:" title: Parece que todavía se le deben algunos pagos de estímulo. stimulus_payments: different_amount: Recibí una cantidad diferente @@ -5383,15 +5361,15 @@ es: question: "¿Recibió esta cantidad?" reveal: content_html: - - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. - - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. - - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. + - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. + - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. title: "¿Cómo puedo conseguir más información sobre los dos primeros pagos de estímulo?" third_stimulus: Estimamos que habrá recibido third_stimulus_details: - - en base a su estado civil y a sus dependientes. - - El tercer pago por estímulo se envió en marzo o abril de 2021 y fue de $1,400 por declarante adulto más $1,400 por dependiente de cualquier edad. - - Por ejemplo, un padre que cuida a dos niños habría recibido $4,200. + - en base a su estado civil y a sus dependientes. + - El tercer pago por estímulo se envió en marzo o abril de 2021 y fue de $1,400 por declarante adulto más $1,400 por dependiente de cualquier edad. + - Por ejemplo, un padre que cuida a dos niños habría recibido $4,200. this_amount: Recibí esta cantidad title: "¿Recibió un total de %{third_stimulus_amount} por su tercer pago de estímulo?" stimulus_received: @@ -5409,39 +5387,39 @@ es: use_gyr: file_gyr: Solicite por medio de GetYourRefund puerto_rico: - address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. Solo por cita. Llama al 787-622-8069.' - in_person: 'En persona:' + address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. Solo por cita. Llama al 787-622-8069." + in_person: "En persona:" online_html: 'Presentación en línea: https://myfreetaxes.com/' - pr_number: 'Línea de ayuda de Puerto Rico: 877-722-9832' - still_file: 'Es posible que aún pueda presentar una solicitud para reclamar sus beneficios. Para obtener ayuda adicional, considere comunicarse con:' - virtual: 'Virtual: MyFreeTaxes' + pr_number: "Línea de ayuda de Puerto Rico: 877-722-9832" + still_file: "Es posible que aún pueda presentar una solicitud para reclamar sus beneficios. Para obtener ayuda adicional, considere comunicarse con:" + virtual: "Virtual: MyFreeTaxes" why_ineligible_reveal: content: list: - - Ganó más de $400 en ingresos de trabajo por cuenta propia - - Ganaste algo de dinero de fuentes fuera de Puerto Rico, por ejemplo en uno de los 50 estados o en un país extranjero - - No vivió en Puerto Rico por más de la mitad de %{current_tax_year} - - 'Se mudó dentro o fuera de Puerto Rico durante %{current_tax_year} ' - - Puede ser reclamado como dependiente por otra persona - - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido - - Ganaste más de %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado - - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de lo que era elegible para recibir. + - Ganó más de $400 en ingresos de trabajo por cuenta propia + - Ganaste algo de dinero de fuentes fuera de Puerto Rico, por ejemplo en uno de los 50 estados o en un país extranjero + - No vivió en Puerto Rico por más de la mitad de %{current_tax_year} + - "Se mudó dentro o fuera de Puerto Rico durante %{current_tax_year} " + - Puede ser reclamado como dependiente por otra persona + - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido + - Ganaste más de %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado + - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de lo que era elegible para recibir. still_benefit: Todavía puede beneficiarse presentando una declaración de impuestos completa de forma gratuita a través de GetYourRefund. title: Desafortunadamente, no es elegible para usar GetCTC. ¡Pero aún así podemos ayudarle! visit_our_faq: Visita nuestras Preguntas Frecuentes why_ineligible_reveal: content: list: - - Ganaste más del %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado - - Ganó más de $400 en ingresos de trabajo por cuenta propia - - Puede ser reclamado como dependiente - - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido - - No vivió en ninguno de los 50 estados o el Distrito de Columbia durante la mayor parte del %{current_tax_year} - - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de los que era elegible para recibir. - p: 'Algunas razones por las que podría no ser elegible para usar GetCTC son:' + - Ganaste más del %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado + - Ganó más de $400 en ingresos de trabajo por cuenta propia + - Puede ser reclamado como dependiente + - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido + - No vivió en ninguno de los 50 estados o el Distrito de Columbia durante la mayor parte del %{current_tax_year} + - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de los que era elegible para recibir. + p: "Algunas razones por las que podría no ser elegible para usar GetCTC son:" title: "¿Por qué no soy elegible?" verification: - body: 'Se le ha enviado un mensaje con su código a:' + body: "Se le ha enviado un mensaje con su código a:" error_message: El código de verificación es incorrecto title: "¡Verifiquemos esa información de contacto con un código!" verification_code_label: Ingrese el código de 6 dígitos @@ -5453,21 +5431,21 @@ es: done_adding: Termine de agregar los formularios W-2 dont_add_w2: No quiero agregar mi W-2 employee_info: - employee_city: 'Box e: City' - employee_legal_name: 'Seleccione el nombre legal en el W2:' - employee_state: 'Box e: State' - employee_street_address: 'Box e: Employee street address or P.O. box' - employee_zip_code: 'Box e: Zip code' + employee_city: "Box e: City" + employee_legal_name: "Seleccione el nombre legal en el W2:" + employee_state: "Box e: State" + employee_street_address: "Box e: Employee street address or P.O. box" + employee_zip_code: "Box e: Zip code" title: many: Comencemos ingresando información básica. one: Comencemos ingresando información básica para %{name}. other: Comencemos ingresando información básica. employer_info: add: Agregar un W-2 - box_d_control_number: 'Box d: Control Number' + box_d_control_number: "Box d: Control Number" employer_city: Ciudad - employer_ein: 'Box b: Employer Identification Number (EIN)' - employer_name: 'Box c: Employer Name' + employer_ein: "Box b: Employer Identification Number (EIN)" + employer_name: "Box c: Employer Name" employer_state: Estado employer_street_address: Dirección del empleador o apartado postal employer_zip_code: Código postal @@ -5479,31 +5457,31 @@ es: other: Un W-2 es un formulario tributario oficial que le entrega su empleador. Ingrese todos sus formularios W-2 y los de su cónyuge para obtener el Crédito Tributario por Ingreso del Trabajo y evitar demoras. p2: El formulario que ingrese debe tener impreso el W-2 en la parte superior. De otra manera no será aceptado. misc_info: - box11_nonqualified_plans: 'Box 11: Nonqualified plans amount' + box11_nonqualified_plans: "Box 11: Nonqualified plans amount" box12_error: debe proporcionar tanto el código como el valor box12_value_error: El valor debe ser numérico - box12a: 'Box 12a:' - box12b: 'Box 12b:' - box12c: 'Box 12c:' - box12d: 'Box 12d:' - box13: 'Box 13: Si está marcado en su W-2, seleccione la opción correspondiente a continuación' + box12a: "Box 12a:" + box12b: "Box 12b:" + box12c: "Box 12c:" + box12d: "Box 12d:" + box13: "Box 13: Si está marcado en su W-2, seleccione la opción correspondiente a continuación" box13_retirement_plan: Plan de retiro box13_statutory_employee: Empleado estatutario box13_third_party_sick_pay: Pago por enfermedad de terceros box14_error: Debe proveer la descripción y la cantidad - box14_other: 'Box 14: Other' + box14_other: "Box 14: Other" box15_error: Debe proveer el número de identificación del estado y del estado del empleador - box15_state: 'Casilla 15: Número de identificación estatal del empleador' - box16_state_wages: 'Casilla 16: Salarios estatales, propinas, etc.' - box17_state_income_tax: 'Casilla 17: Impuesto estatal sobre los ingresos' - box18_local_wages: 'Box 18: Local wages, tips, etc.' + box15_state: "Casilla 15: Número de identificación estatal del empleador" + box16_state_wages: "Casilla 16: Salarios estatales, propinas, etc." + box17_state_income_tax: "Casilla 17: Impuesto estatal sobre los ingresos" + box18_local_wages: "Box 18: Local wages, tips, etc." box19_local_income_tax: Casilla 19, Impuesto local sobre los ingresos - box20_locality_name: 'Box 20: Locality name' + box20_locality_name: "Box 20: Locality name" remove_this_w2: Eliminar este W-2 - requirement_title: 'Requisito:' + requirement_title: "Requisito:" requirements: - - Las siguientes secciones de su W-2 probablemente estén en blanco. Deje esas casillas en blanco a continuación para que coincidan con su W-2. - - Para las Casillas 15-20, si su W-2 contiene información de varios estados, ingrese solo la información del primer estado. + - Las siguientes secciones de su W-2 probablemente estén en blanco. Deje esas casillas en blanco a continuación para que coincidan con su W-2. + - Para las Casillas 15-20, si su W-2 contiene información de varios estados, ingrese solo la información del primer estado. submit: Guarde este W-2 title: Terminemos de ingresar la información del W-2 de %{name}. note_html: "Aviso: Si no incluye el formulario W-2, no recibirá el Crédito Tributario por Ingreso del Trabajo. Sin embargo, puede solicitar los demás créditos si están disponibles para usted." @@ -5519,19 +5497,19 @@ es: title: Confirme la información de su W-2. wages: Sueldo wages_info: - box10_dependent_care_benefits: 'Box 10: Dependent care benefits' - box3_social_security_wages: 'Box 3: Social security wages' - box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' - box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' - box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' - box7_social_security_tips_amount: 'Box 7: Social Security tips amount' - box8_allocated_tips: 'Box 8: Allocated tips' - federal_income_tax_withheld: 'Casilla 2: Impuesto federal sobre los ingresos retenido' + box10_dependent_care_benefits: "Box 10: Dependent care benefits" + box3_social_security_wages: "Box 3: Social security wages" + box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" + box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" + box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" + box7_social_security_tips_amount: "Box 7: Social Security tips amount" + box8_allocated_tips: "Box 8: Allocated tips" + federal_income_tax_withheld: "Casilla 2: Impuesto federal sobre los ingresos retenido" info_box: requirement_description_html: Ingrese la información exactamente como aparece en su W-2. Si hay casillas en blanco en su W-2, déjelas también en blanco en las casillas a continuación. - requirement_title: 'Requisito:' + requirement_title: "Requisito:" title: "¡Excelente! Ingrese todos los salarios, propinas e impuestos retenidos de %{name} de este W-2." - wages_amount: 'Box 1: Wages Amount' + wages_amount: "Box 1: Wages Amount" shared: ssn_not_valid_for_employment: La tarjeta de Seguro Social de esta persona tiene escrito "No válido para el empleo". (Esto se ve raramente) ctc_pages: @@ -5539,21 +5517,21 @@ es: compare_benefits: ctc: list: - - Pagos federales de estímulo - - Crédito Tributario por Hijos + - Pagos federales de estímulo + - Crédito Tributario por Hijos note_html: Si presenta la declaración con GetCTC, puede presentar una declaración enmendada más tarde para reclamar los créditos adicionales que habría recibido al presentarla con GetYourRefund. Este proceso puede ser bastante difícil, y es probable que necesite la ayuda de un profesional de impuestos. - p1_html: 'Un hogar con un hijo menor de 6 años puede recibir un promedio de: 7,500 dólares' - p2_html: 'Un hogar sin hijos puede recibir un promedio de: 3,200 dólares' + p1_html: "Un hogar con un hijo menor de 6 años puede recibir un promedio de: 7,500 dólares" + p2_html: "Un hogar sin hijos puede recibir un promedio de: 3,200 dólares" gyr: list: - - Pagos federales de estímulo - - Crédito Tributario por Hijos - - Crédito tributario por ingresos del trabajo - - Crédito tributario por ingresos del trabajo de California - - Pagos de estímulo del Golden State - - 'Crédito Tributario por Hijos Jóvenes de California (en inglés: Young Child Tax Credit)' - p1_html: 'Un hogar con un niño menor de 6 años puede recibir un promedio de: 12,200 dólares' - p2_html: 'Un hogar sin hijos puede recibir un promedio de de: 4,300 dólares' + - Pagos federales de estímulo + - Crédito Tributario por Hijos + - Crédito tributario por ingresos del trabajo + - Crédito tributario por ingresos del trabajo de California + - Pagos de estímulo del Golden State + - "Crédito Tributario por Hijos Jóvenes de California (en inglés: Young Child Tax Credit)" + p1_html: "Un hogar con un niño menor de 6 años puede recibir un promedio de: 12,200 dólares" + p2_html: "Un hogar sin hijos puede recibir un promedio de de: 4,300 dólares" title: Compare los beneficios compare_length: ctc: 30 minutos @@ -5562,12 +5540,12 @@ es: compare_required_info: ctc: list: - - Numeros de Seguro Social o de Identificación Personal (ITIN) + - Numeros de Seguro Social o de Identificación Personal (ITIN) gyr: list: - - Documentos de empleo - - "(W2’s, 1099’s, etc.)" - - Numeros de Seguro Social o de Identificación Personal (ITIN en inglés) + - Documentos de empleo + - "(W2’s, 1099’s, etc.)" + - Numeros de Seguro Social o de Identificación Personal (ITIN en inglés) helper_text: Los documentos son necesarios para cada miembro de la familia en su declaración de impuestos. title: Comparar la información requerida ctc: GetCTC @@ -5713,58 +5691,58 @@ es: title: Recursos de extensión y navegador de GetCTC privacy_policy: 01_intro: - - GetCTC.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los hogares de ingresos bajos a moderados a acceder a los beneficios fiscales, como el Crédito Tributario Anticipado por Hijos (AdvCTC) y los Pagos por Impacto Económico a través de servicios accesibles de declaración de impuestos. - - Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al usar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que use para acceder a nuestros Servicios. + - GetCTC.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los hogares de ingresos bajos a moderados a acceder a los beneficios fiscales, como el Crédito Tributario Anticipado por Hijos (AdvCTC) y los Pagos por Impacto Económico a través de servicios accesibles de declaración de impuestos. + - Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al usar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que use para acceder a nuestros Servicios. 02_questions_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en %{email_link} 03_overview: Resumen 04_info_we_collect: Información que recopilamos - 05_info_we_collect_details: 'Seguimos el principio de Minimización de Datos en la recopilación y uso de su información personal. Podemos obtener la siguiente información sobre usted, sus dependientes, o los miembros de su hogar:' + 05_info_we_collect_details: "Seguimos el principio de Minimización de Datos en la recopilación y uso de su información personal. Podemos obtener la siguiente información sobre usted, sus dependientes, o los miembros de su hogar:" 06_info_we_collect_list: - - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico - - Fecha de nacimiento - - Información demográfica, como la edad y estado marital - - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico - - Fecha de nacimiento - - Información demográfica, como la edad y estado marital - - Características de las clasificaciones protegidas, como género, raza y etnia - - Información fiscal, como el número de seguro social o el número de identificación personal (ITIN en inglés) - - Identificación emitida por el estado, como el número de licencia de manejar - - Información financiera, como empleo, ingresos y fuentes de ingresos - - Datos bancarios para el depósito directo de reembolsos - - Datos sobre los dependientes - - Información sobre el hogar y sobre su cónyuge, si es que corresponde - - Información de su computadora o dispositivo, como dirección IP, sistema operativo, navegador, fecha y hora de visita, y datos de flujo de clics (el sitio web o dominio del que procede, las páginas que visita y los elementos sobre los que hace clic durante su sesión). + - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico + - Fecha de nacimiento + - Información demográfica, como la edad y estado marital + - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico + - Fecha de nacimiento + - Información demográfica, como la edad y estado marital + - Características de las clasificaciones protegidas, como género, raza y etnia + - Información fiscal, como el número de seguro social o el número de identificación personal (ITIN en inglés) + - Identificación emitida por el estado, como el número de licencia de manejar + - Información financiera, como empleo, ingresos y fuentes de ingresos + - Datos bancarios para el depósito directo de reembolsos + - Datos sobre los dependientes + - Información sobre el hogar y sobre su cónyuge, si es que corresponde + - Información de su computadora o dispositivo, como dirección IP, sistema operativo, navegador, fecha y hora de visita, y datos de flujo de clics (el sitio web o dominio del que procede, las páginas que visita y los elementos sobre los que hace clic durante su sesión). 07_info_required_by_irs: Recopilamos información según lo dispuesto por el IRS en el Procedimiento de Ingresos "Rev RP-21-24". - '08_how_we_collect': Cómo recogemos tu información - '09_various_sources': Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar + "08_how_we_collect": Cómo recogemos tu información + "09_various_sources": Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar 10_various_sources_list: - - Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios - - Nos comparten documentos para usar nuestros servicios - - Se comunican con nosotros (por ejemplo a través de correo electrónico, chat, redes sociales o de otro tipo) + - Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios + - Nos comparten documentos para usar nuestros servicios + - Se comunican con nosotros (por ejemplo a través de correo electrónico, chat, redes sociales o de otro tipo) 11_third_parties: Es posible que también recopilemos su información de terceros como 12_third_parties_list: - - Nuestros socios que le están ayudando con servicios de preparación de impuestos o cualquier otro programa de beneficios que usted solicite - - El Servicio de Rentas Internas ("IRS") u otras agencias gubernamentales relacionadas con nuestros Servicios + - Nuestros socios que le están ayudando con servicios de preparación de impuestos o cualquier otro programa de beneficios que usted solicite + - El Servicio de Rentas Internas ("IRS") u otras agencias gubernamentales relacionadas con nuestros Servicios 13_using_information: El uso de información que recopilamos 14_using_information_details: Utilizamos su información para propósitos de nuestra organización e intereses legítimos como, por ejemplo 14_using_information_list: - - Para ayudarle a conectarse con los servicios gratuitos de preparación de impuestos o cualquier otro programa de beneficios que solicite - - Para completar los formularios requeridos para el uso de los Servicios o para la presentación de sus impuestos - - Para proporcionarle apoyo durante el proceso y comunicarnos con usted - - Para seguir y comprender cómo se utilizan el Sitio y nuestros Servicios - - Para mejorar la calidad o el alcance del Sitio o de nuestros Servicios - - Para sugerir otros servicios o programas de asistencia que puedan serle útiles - - Para la detección de fraude, su prevención, y propósitos de seguridad - - Para cumplir con los requisitos y obligaciones legales - - Para el estudio + - Para ayudarle a conectarse con los servicios gratuitos de preparación de impuestos o cualquier otro programa de beneficios que solicite + - Para completar los formularios requeridos para el uso de los Servicios o para la presentación de sus impuestos + - Para proporcionarle apoyo durante el proceso y comunicarnos con usted + - Para seguir y comprender cómo se utilizan el Sitio y nuestros Servicios + - Para mejorar la calidad o el alcance del Sitio o de nuestros Servicios + - Para sugerir otros servicios o programas de asistencia que puedan serle útiles + - Para la detección de fraude, su prevención, y propósitos de seguridad + - Para cumplir con los requisitos y obligaciones legales + - Para el estudio 15_information_shared_with_others: Información compartida con terceros 16_we_dont_sell: No vendemos su información personal. 17_disclose_to_others_details: No compartimos información personal con terceros, excepto según lo dispuesto en esta Política de privacidad. Podemos revelar información a contratistas, organizaciones afiliadas y/o terceros no afiliados para proporcionarle los Servicios a usted, para llevar a cabo nuestra tarea o para ayudar con las actividades de nuestra organización. Por ejemplo, podemos compartir su información con 18_disclose_to_others_list_html: - - Proveedores de VITA para ayudar a preparar y presentar sus declaraciones de impuestos - - El Servicio de Impuestos Internos (IRS) para ayudarle a presentar electrónicamente sus impuestos y/u otros formularios para tener derecho a los pagos del Crédito Tributario por Hijos - - Terceros para distribuir encuestas, grupos de discusión o para otros fines administrativos, analíticos y de marketing. Estas comunicaciones de terceros tienen por objeto mejorar el producto, conocer la experiencia y ponerle al día si ha solicitado actualizaciones. - - Code for America mantiene relaciones con terceros proveedores de programas y servicios que prestan servicios en nuestro nombre para ayudarnos en nuestras actividades comerciales. Estas empresas están autorizadas para utilizar su información personal sólo en la medida necesaria para prestarnos estos servicios, de acuerdo con instrucciones escritas. Podemos compartir su información con socios comerciales y otros terceros para que puedan ofrecerle ofertas o productos y servicios que creemos que pueden beneficiarle. Si no desea que compartamos su información personal con estas empresas, comuníquese con nosotros a %{email_link}. + - Proveedores de VITA para ayudar a preparar y presentar sus declaraciones de impuestos + - El Servicio de Impuestos Internos (IRS) para ayudarle a presentar electrónicamente sus impuestos y/u otros formularios para tener derecho a los pagos del Crédito Tributario por Hijos + - Terceros para distribuir encuestas, grupos de discusión o para otros fines administrativos, analíticos y de marketing. Estas comunicaciones de terceros tienen por objeto mejorar el producto, conocer la experiencia y ponerle al día si ha solicitado actualizaciones. + - Code for America mantiene relaciones con terceros proveedores de programas y servicios que prestan servicios en nuestro nombre para ayudarnos en nuestras actividades comerciales. Estas empresas están autorizadas para utilizar su información personal sólo en la medida necesaria para prestarnos estos servicios, de acuerdo con instrucciones escritas. Podemos compartir su información con socios comerciales y otros terceros para que puedan ofrecerle ofertas o productos y servicios que creemos que pueden beneficiarle. Si no desea que compartamos su información personal con estas empresas, comuníquese con nosotros a %{email_link}. 19_require_third_parties: Requerimos que nuestros terceros actúen a nombre nuestro para mantener su información personal segura, y no permitimos que estos terceros utilicen o compartan su información personal para ningún propósito que no sea proporcionar servicios a nombre nuestro. 20_may_share_third_parties: Podemos compartir su información con terceros en situaciones especiales, como cuando lo requiere la ley, o cuando creemos que compartir dicha información ayudará a proteger la seguridad, propiedad o derechos de Code for America, las personas a las que servimos, nuestros asociados u otras personas. 21_may_share_government: Podemos compartir información limitada, agregada o personal con agencias gubernamentales, como el IRS, para analizar el uso de nuestros Servicios, los proveedores de servicios de preparación gratuita de impuestos y el Crédito Tributario por Hijos, con el fin de mejorar y ampliar nuestros Servicios. No compartiremos ninguna información con el IRS que no haya sido ya revelada en su declaración de impuestos o a través del sitio web GetCTC. @@ -5773,15 +5751,15 @@ es: 24_your_choices_contact_methods: Correo postal, correo electrónico, y promociones 25_to_update_prefs: Para actualizar sus preferencias o sus datos de contacto, puede 26_to_update_prefs_list_html: - - Comunicarse con nosotros a través de %{email_link}, y solicitar que lo den de baja de los correos electrónicos de actualización de GetCTC. - - seguir las instrucciones proporcionadas para darse de baja de correos electrónicos o correos postales - - 'seleccionar el enlace para "darse de baja"--en inglés: unsubscribe--que se encuentra en nuestros correos electrónicos promocionales de Code for America' + - Comunicarse con nosotros a través de %{email_link}, y solicitar que lo den de baja de los correos electrónicos de actualización de GetCTC. + - seguir las instrucciones proporcionadas para darse de baja de correos electrónicos o correos postales + - 'seleccionar el enlace para "darse de baja"--en inglés: unsubscribe--que se encuentra en nuestros correos electrónicos promocionales de Code for America' 27_unsubscribe_note: Favor de tener en cuenta que incluso si se da de baja de ofertas y actualizaciones de correo electrónico promocionales, aún así podremos comunicarnos con usted para fines operativos. Por ejemplo, podremos enviar comunicaciones con respecto a su estado de declaración de impuestos, recordatorios o alertarle de información adicional necesaria. 28_cookies: Cookies 29_cookies_details: Los cookies son pequeños archivos de texto que los sitios web colocan en las computadoras y dispositivos móviles de las personas que visitan esos sitios web. Las etiquetas de píxel (también llamadas web beacons) son pequeños bloques de código colocados en sitios web y correos electrónicos. 30_cookies_list: - - Utilizamos cookies y otras tecnologías como etiquetas de píxeles para recordar sus preferencias, mejorar su experiencia en línea y recopilar datos sobre cómo utiliza nuestros Sitios para mejorar la forma en que promovemos nuestro contenido, programas y eventos. - - Su uso de nuestros Sitios indica su consentimiento para dicho uso de cookies. + - Utilizamos cookies y otras tecnologías como etiquetas de píxeles para recordar sus preferencias, mejorar su experiencia en línea y recopilar datos sobre cómo utiliza nuestros Sitios para mejorar la forma en que promovemos nuestro contenido, programas y eventos. + - Su uso de nuestros Sitios indica su consentimiento para dicho uso de cookies. 31_cookies_default: La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si desea restringir o bloquear las cookies que establece nuestro Sitio, o cualquier otro sitio, puede hacerlo a través de la configuración de su navegador. La función de "Ayuda" en su navegador debe incluir una explicación de cómo hacerlo. La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si desea restringir o bloquear las cookies que establece nuestro Sitio, o cualquier otro sitio, puede hacerlo a través de la configuración de su navegador. La función de ayuda en su navegador debe incluir una explicación de cómo hacerlo. Asimismo, puede visitar www.aboutcookies.org, donde hallará información completa sobre cómo hacer esto en una amplia variedad de navegadores. Encontrará información general sobre los cookies y detalles sobre cómo eliminar los cookies de su computadora o dispositivo. 32_sms: Mensajes SMS operativos (texto) 33_sms_details_html: Puede darse de baja de los mensajes transaccionales enviando un mensaje de texto de STOP al 58750 en cualquier momento. Cuando recibamos su solicitud de cancelación, le enviaremos un último mensaje de texto para confirmar su cancelación. Consulte las condiciones de GetYourRefund para obtener más detalles e instrucciones para darse de baja de estos servicios. Los datos obtenidos a través del programa de códigos cortos no se compartirán con terceros para sus fines de marketing. @@ -5791,44 +5769,44 @@ es: 37_additional_services_details: Puede ser que le proporcionemos enlaces adicionales a recursos que consideramos que le serán útiles. Estos enlaces pueden llevarlo a sitios que están afiliados con nosotros que pudieran operar bajo diferentes prácticas de privacidad. No somos responsables del contenido ni de las prácticas de dichos sitios. Animamos a nuestros visitantes y usuarios a estar atentos cuando salgan de nuestro sitio y de leer las declaraciones de privacidad de cualquier otro sitio, ya que no controlamos la manera en la cual los demás sitios recopilan información personal. 38_how_we_protect: Cómo protegemos su información 39_how_we_protect_list: - - Proteger su información personal es extremadamente importante para nosotros, por lo que tomamos precauciones administrativas, técnicas y físicas razonables para proteger su información tanto en línea como fuera de línea. - - Aun así, no se puede garantizar que ningún sistema sea 100% seguro. Si tiene alguna duda sobre la seguridad de su información personal, o si tiene motivos para creer que la información personal que tenemos sobre usted ya no está segura, comuníquese con nosotros inmediatamente de la manera descrita en este Aviso de Privacidad. + - Proteger su información personal es extremadamente importante para nosotros, por lo que tomamos precauciones administrativas, técnicas y físicas razonables para proteger su información tanto en línea como fuera de línea. + - Aun así, no se puede garantizar que ningún sistema sea 100% seguro. Si tiene alguna duda sobre la seguridad de su información personal, o si tiene motivos para creer que la información personal que tenemos sobre usted ya no está segura, comuníquese con nosotros inmediatamente de la manera descrita en este Aviso de Privacidad. 40_retention: Retención de Datos 41_retention_list: - - 'Conservaremos su información durante el tiempo que sea necesario para: prestarle los Servicios, operar nuestro negocio de acuerdo con este Aviso, o demostrar el cumplimiento de las leyes y obligaciones legales.' - - Si ya no desea continuar con la solicitud de GetCTC y solicita que se elimine su información de nuestros Servicios antes de presentar la solicitud, eliminaremos o eliminaremos la información que le identifica en un plazo de 90 días a partir de la finalización de los Servicios, a menos que la ley nos obligue a conservar su información. En tal caso, sólo conservaremos su información durante el tiempo requerido por dicha ley. + - "Conservaremos su información durante el tiempo que sea necesario para: prestarle los Servicios, operar nuestro negocio de acuerdo con este Aviso, o demostrar el cumplimiento de las leyes y obligaciones legales." + - Si ya no desea continuar con la solicitud de GetCTC y solicita que se elimine su información de nuestros Servicios antes de presentar la solicitud, eliminaremos o eliminaremos la información que le identifica en un plazo de 90 días a partir de la finalización de los Servicios, a menos que la ley nos obligue a conservar su información. En tal caso, sólo conservaremos su información durante el tiempo requerido por dicha ley. 42_children: Privacidad de menores 43_children_details: No recopilamos información personal de forma intencionada de menores de 16 años no emancipados. 44_changes: Cambios 45_changes_summary: Es posible que modifiquemos esta Política de Privacidad de vez en cuando. Por favor, revise esta página con frecuencia para ver si hay actualizaciones, ya que su uso continuado de nuestros Servicios después de cualquier cambio en esta Política de Privacidad constituirá su aceptación de los cambios. En el caso de cambios sustanciales, se lo notificaremos por correo electrónico o por otros medios compatibles con la legislación aplicable. 46_access_request: Tus derechos 47_access_request_list_html: - - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, solicitar una copia portable o la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. - - Favor de tener en cuenta que, en el caso de la información personal sobre usted que hayamos obtenido o recibido para su utilización en nombre de una entidad independiente y no afiliada, que haya determinado los medios y los fines del tratamiento, todas las solicitudes de este tipo deberán dirigirse directamente a dicha entidad. Respetaremos y apoyaremos cualquier instrucción que nos proporcionen con respecto a su información personal. + - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, a solicitar la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. + - Favor de tener en cuenta que, en el caso de la información personal sobre usted que hayamos obtenido o recibido para su utilización en nombre de una entidad independiente y no afiliada, que haya determinado los medios y los fines del tratamiento, todas las solicitudes de este tipo deberán dirigirse directamente a dicha entidad. Respetaremos y apoyaremos cualquier instrucción que nos proporcionen con respecto a su información personal. 47_effective_date: Fecha de vigencia 48_effective_date_info: Esta versión de la política entrará en vigor a partir del 22 de octubre de 2021. 49_questions: Preguntas 50_questions_list_html: - - Si tiene un problema de privacidad o de uso de datos sin resolver que no hayamos solucionado satisfactoriamente, favor de comunicarse con nuestro proveedor de resolución de disputas con sede en Estados Unidos (sin costo alguno) a https://feedback-form.truste.com/watchdog/request. - - 'Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}' + - Si tiene un problema de privacidad o de uso de datos sin resolver que no hayamos solucionado satisfactoriamente, favor de comunicarse con nuestro proveedor de resolución de disputas con sede en Estados Unidos (sin costo alguno) a https://feedback-form.truste.com/watchdog/request. + - "Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}" 51_do_our_best: Haremos todo lo posible para resolver el problema. puerto_rico: hero: - - Obtenga dinero para cualquier niño que cuide, incluso si nunca antes ha presentado impuestos al IRS. Puede ser elegible para reclamar el Crédito Tributario por Hijos y poner dinero en el bolsillo de su familia. Si no está obligado a radicar una planilla federal con el IRS, puede usar esta herramienta de declaración de impuestos simplificada para obtener su dinero. - - Este formulario en general tarda unos 15 minutos en completarse y no necesitará ningún documento fiscal. + - Obtenga dinero para cualquier niño que cuide, incluso si nunca antes ha presentado impuestos al IRS. Puede ser elegible para reclamar el Crédito Tributario por Hijos y poner dinero en el bolsillo de su familia. Si no está obligado a radicar una planilla federal con el IRS, puede usar esta herramienta de declaración de impuestos simplificada para obtener su dinero. + - Este formulario en general tarda unos 15 minutos en completarse y no necesitará ningún documento fiscal. title: "¡Puerto Rico, puede obtener el Crédito Tributario por Hijos para su familia!" what_is: body: - - Este año, por primera vez, las familias en Puerto Rico pueden obtener el Crédito Tributario por Hijo, de hasta $3,600 por niño. - - Para reclamar su Crédito Tributario por Hijos, debe presentar un formulario simplificado con el IRS. Si aún no ha presentado una declaración federal con el IRS, ¡puede hacerlo fácilmente aquí! + - Este año, por primera vez, las familias en Puerto Rico pueden obtener el Crédito Tributario por Hijo, de hasta $3,600 por niño. + - Para reclamar su Crédito Tributario por Hijos, debe presentar un formulario simplificado con el IRS. Si aún no ha presentado una declaración federal con el IRS, ¡puede hacerlo fácilmente aquí! heading: "¡La mayoría de las familias en Puerto Rico pueden obtener miles de dólares del Crédito Tributario por Hijos radicando una planilla federal con el IRS!" how_much_reveal: body: - - El Crédito Tributario por Hijos para el año fiscal 2021 es $3,600 por niño menor de 6 años y $3,000 por niño de 6-17 años. + - El Crédito Tributario por Hijos para el año fiscal 2021 es $3,600 por niño menor de 6 años y $3,000 por niño de 6-17 años. title: "¿Cuánto recibiré?" qualify_reveal: body: - - Sus hijos probablemente califiquen si vivieron con usted durante la mayor parte de 2021, tenían menos de 18 años a fines de 2021 y no nacieron en 2022. GetCTC le guiará a través de algunas preguntas rápidas para asegurarse. + - Sus hijos probablemente califiquen si vivieron con usted durante la mayor parte de 2021, tenían menos de 18 años a fines de 2021 y no nacieron en 2022. GetCTC le guiará a través de algunas preguntas rápidas para asegurarse. title: "¿Califican mis niños?" puerto_rico_overview: cta: Está a punto de radicar una planilla federal. Usted es responsable de responder a las preguntas con la verdad y precisión a lo mejor de su capacidad. @@ -5877,8 +5855,8 @@ es: heading_open: La mayoría de las familias pueden obtener miles de dólares del tercer pago de estímulo reveals: first_two_body_html: - - El IRS emitió tres tandas de pagos de estímulo durante la pandemia de COVID. Por lo general, las familias las recibieron en abril de 2020, diciembre de 2020 y marzo de 2021. Puede solicitar todo o parte del tercer pago de estímulo utilizando GetCTC. - - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres tandas de pagos de estímulo durante la pandemia de COVID. Por lo general, las familias las recibieron en abril de 2020, diciembre de 2020 y marzo de 2021. Puede solicitar todo o parte del tercer pago de estímulo utilizando GetCTC. + - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. first_two_title: "¿Qué pasa con los dos primeros pagos de estímulo?" how_much_ctc_body: El tercer pago de estímulo generalmente se emitió en marzo o abril de 2021 y tenía un valor de $1,400 por contribuyente adulto más $1,400 por dependiente elegible. Si recibió menos de lo que merecía en 2021, o no recibió ningún pago, puede reclamar su pago de estímulo faltante presentando una declaración de impuestos simple. how_much_ctc_title: "¿Cuánto recibiré del Crédito Tributario por Hijos?" @@ -5912,7 +5890,7 @@ es: title: "¡Pidámosle ayuda a alguien!" documents: additional_documents: - document_list_title: 'Basado en sus respuestas previas, es possible que tenga los siguientes documentos:' + document_list_title: "Basado en sus respuestas previas, es possible que tenga los siguientes documentos:" help_text: Si tiene otros documentos que puedan ser relevantes, por favor compártalos con nosotros. ¡Nos ayudará a preparar mejor sus impuestos! title: Por favor comparta cualquier documento adicional. employment: @@ -5940,15 +5918,15 @@ es: one: El IRS nos exige que veamos una licencia de conducir, un pasaporte o una identificación estatal actuales. other: El IRS requiere que chequeemos una licencia de conducir, pasaporte o identificación estatal actual para usted y su esposo/a. info: Usaremos su tarjeta de identificación para verificar y proteger su identidad de acuerdo con las pautas del IRS. No hay problema si su identificación se ha expirado o si tiene una licencia de conducir temporal, siempre que podamos ver claramente su nombre y foto. - need_for: 'Necesitaremos una tarjeta de identificación para:' + need_for: "Necesitaremos una tarjeta de identificación para:" title: many: Adjunte fotos de sus tarjetas de identificación one: Adjunte una foto de su tarjeta de identificación other: Adjunte fotos de sus tarjetas de identificación intro: info: Basado en las respuestas a nuestras preguntas anteriores, tenemos una lista de documentos que debe compartir con nosotros. Su progreso será guardado y podrá regresar con más documentos en otro momento. - note: 'Nota: Si tiene otros documentos, también tendrá la oportunidad de compartirlos.' - should_have: 'Debería tener los siguientes documentos:' + note: "Nota: Si tiene otros documentos, también tendrá la oportunidad de compartirlos." + should_have: "Debería tener los siguientes documentos:" title: "¡Ahora, vamos a recoger sus documentos de impuestos!" overview: empty: Este tipo de documento no fue subido. @@ -5969,7 +5947,7 @@ es: submit_photo: Enviar una foto selfies: help_text: El IRS requiere que verifiquemos quién es usted para los servicios de preparación de impuestos. - need_for_html: 'Necesitaremos ver una foto con ID para:' + need_for_html: "Necesitaremos ver una foto con ID para:" title: Comparta una foto de usted sosteniendo su tarjeta de identificación spouse_ids: expanded_id: @@ -5983,7 +5961,7 @@ es: help_text: El IRS requiere que veamos una forma adicional de identidad. Usamos una segunda forma de identificación para verificar y proteger su identidad de acuerdo con las pautas del IRS. title: Adjunte fotos de una forma adicional de identificación help_text: El IRS nos exige que veamos una tarjeta de Seguro Social o documentación ITIN válida de todos en el hogar para los servicios de preparación de impuestos. - need_for: 'Necesitaremos un SSN o ITIN para:' + need_for: "Necesitaremos un SSN o ITIN para:" title: Adjunte fotos de la Tarjeta de Seguro Social o Número de Identificación Personal (ITIN en inglés) layouts: admin: @@ -6054,7 +6032,7 @@ es: closed_open_for_login_banner_html: Los servicios GetYourRefund están cerrados durante esta temporada de impuestos. Esperamos poder brindar nuestra asistencia tributaria gratuita nuevamente a partir de enero. Para obtener preparación de impuestos gratuita ahora, puede buscar una ubicación de VITA en su área. faq: faq_cta: Lee nuestras preguntas frecuentes - header: 'Preguntas frecuentes:' + header: "Preguntas frecuentes:" header: Declare sus impuestos sin costo. ¡Es sencillo! open_intake_post_tax_deadline_banner: Comience con GetYourRefund antes del %{end_of_intake} si desea presentar su declaración con nosotros en 2024. Si su declaración está en progreso, inicie sesión y envíe sus documentos antes del %{end_of_docs}. security: @@ -6084,7 +6062,7 @@ es: description: No recopilamos información personal a sabiendas de menores de 16 años no emancipados. header: Privacidad de menores data_retention: - description: 'Conservaremos su información el tiempo necesario para: proporcionarle Servicios, llevar a cabo nuestra labor de manera consistente con este Aviso, o demostrar cumplimiento con las leyes y obligaciones legales. Si no desea continuar con Getyourrefund, y desea que removamos su información de nuestros servicios eliminaremos su información dentro de 90 días de la finalización de los Servicios, a menos que la ley nos exija conservar su información. En ese caso, sólo conservaremos su información el tiempo que requiera dicha ley.' + description: "Conservaremos su información el tiempo necesario para: proporcionarle Servicios, llevar a cabo nuestra labor de manera consistente con este Aviso, o demostrar cumplimiento con las leyes y obligaciones legales. Si no desea continuar con Getyourrefund, y desea que removamos su información de nuestros servicios eliminaremos su información dentro de 90 días de la finalización de los Servicios, a menos que la ley nos exija conservar su información. En ese caso, sólo conservaremos su información el tiempo que requiera dicha ley." header: Retención de Datos description: Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al utilizar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que utilice para acceder a nuestros Servicios. effective_date: @@ -6176,7 +6154,7 @@ es: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: 'Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}' + description_html: "Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}" header: Preguntas resolve: Haremos todo lo posible para resolver el problema. questions_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en %{email_link} @@ -6196,9 +6174,9 @@ es: title: Términos de código stimulus: facts_html: - - ¡Cobre su pago de estímulo de 2020 presentando su impuestos por medio de GetYourRefund! - - Revisa el estado de tu pago de estímulo en IRS Obtener mi pago website - - 'Llama a la Línea Directa de Pago de Impacto Económico 211 (en inglés: 211 Economic Impact Payment); +1 (844) 322-3639' + - ¡Cobre su pago de estímulo de 2020 presentando su impuestos por medio de GetYourRefund! + - Revisa el estado de tu pago de estímulo en IRS Obtener mi pago website + - 'Llama a la Línea Directa de Pago de Impacto Económico 211 (en inglés: 211 Economic Impact Payment); +1 (844) 322-3639' file_with_help: header: Recoja su pago de estímulo de 2020 presentando su declaración de impuestos hoy mismo! heading: "¿Necesitas ayuda para conseguir tu pago de estímulo (también conocido como Pago de Impacto Económico)?" @@ -6207,124 +6185,124 @@ es: eip: header: Preguntas frecuentes sobre el cheque de pago de impacto económico (estímulo) items: - - title: "¿El cheque del EIP afectará mis otros beneficios gubernamentales?" - content_html: No, los cheques del EIP se tratan como un crédito fiscal. Esto significa que su pago no afectará los beneficios que reciba ahora o en el futuro. - - title: Todavía necesito presentar una declaración de impuestos ¿Cuánto tiempo están disponibles los pagos por impacto económico? - content_html: Estos pagos seguirán estando disponibles mediante la presentación de una declaración de impuestos. Aunque la fecha límite oficial es el 17 de mayo, puede continuar presentando su solicitud hasta el 15 de octubre a través de GetYourRefund.org. - - title: "¿Si debo impuestos, o tengo un acuerdo de pago con el IRS, o tengo otras deudas federales o estatales, seguiré recibiendo el EIP?" - content_html: Si bien los pagos de estímulo realizados en 2020 estaban protegidos del embargo, no ocurre lo mismo con los pagos realizados a través de Créditos de recuperación de reembolso. - - title: "¿Qué pasa si estoy sobregirado en mi banco?" - content_html: |- - Si su banco o cooperativa de crédito ha tomado una parte de su EIP para cubrir el dinero que les debe, - la Oficina de Protección Financiera del Consumidor recomienda llamarlos para preguntarles si están dispuestos a ser flexibles. - - title: "¿Qué pasa si alguien ofrece un pago más rápido?" - content_html: No haga clic en enlaces cuyos orígenes no esté 100% seguro. Tenga cuidado con las estafas. Si parece demasiado bueno para ser verdad, probablemente lo sea. Y no envíe dinero a alguien que no conoce. Mire las tarifas que se cobran si está pagando su servicio de preparación de impuestos o un préstamo de anticipación de reembolso al hacer que se deduzcan de su reembolso. + - title: "¿El cheque del EIP afectará mis otros beneficios gubernamentales?" + content_html: No, los cheques del EIP se tratan como un crédito fiscal. Esto significa que su pago no afectará los beneficios que reciba ahora o en el futuro. + - title: Todavía necesito presentar una declaración de impuestos ¿Cuánto tiempo están disponibles los pagos por impacto económico? + content_html: Estos pagos seguirán estando disponibles mediante la presentación de una declaración de impuestos. Aunque la fecha límite oficial es el 17 de mayo, puede continuar presentando su solicitud hasta el 15 de octubre a través de GetYourRefund.org. + - title: "¿Si debo impuestos, o tengo un acuerdo de pago con el IRS, o tengo otras deudas federales o estatales, seguiré recibiendo el EIP?" + content_html: Si bien los pagos de estímulo realizados en 2020 estaban protegidos del embargo, no ocurre lo mismo con los pagos realizados a través de Créditos de recuperación de reembolso. + - title: "¿Qué pasa si estoy sobregirado en mi banco?" + content_html: |- + Si su banco o cooperativa de crédito ha tomado una parte de su EIP para cubrir el dinero que les debe, + la Oficina de Protección Financiera del Consumidor recomienda llamarlos para preguntarles si están dispuestos a ser flexibles. + - title: "¿Qué pasa si alguien ofrece un pago más rápido?" + content_html: No haga clic en enlaces cuyos orígenes no esté 100% seguro. Tenga cuidado con las estafas. Si parece demasiado bueno para ser verdad, probablemente lo sea. Y no envíe dinero a alguien que no conoce. Mire las tarifas que se cobran si está pagando su servicio de preparación de impuestos o un préstamo de anticipación de reembolso al hacer que se deduzcan de su reembolso. how_to_get_paid: header: "¿Cómo cobrar?" items: - - title: "¿Cómo puedo recibir mi cheque del Pago de Impacto Económico?" - content_html: Si el IRS aún no ha enviado su primera o segunda ronda de pagos de estímulo, o si recibió una cantidad incorrecta para cualquier de los dos pagos, tendrá que presentar una declaración de impuestos de 2020 para poder recibirlo. - - title: "¿Cómo puedo determinar si el IRS ha enviado mi pago de estímulo?" - content_html: |- - Si no está seguro de si el IRS ha enviado su tercer pago de estímulo o quiere comprobar el estado, puede buscar en el sitio web del IRS - Obtener mi pago. Para ver si ha recibido los anteriores pagos de estímulo, y qué cantidad, debe - ver o crear una cuenta en línea con el IRS. - - title: "¿Qué pasa si hay problemas con los datos de mi cuenta bancaria?" - content_html: |- - Si el IRS no puede depositar en la cuenta que tiene registrada, le enviarán el pago por correo a la dirección que tiene registrada. Si el correo es devuelto, la herramienta - Obtener mi pago mostrará un estado de "se necesita más información" y usted tendrá la oportunidad de proporcionar nueva información bancaria. - - title: "¿Qué pasa si no he declarado los impuestos federales?" - content_html: Le recomendamos que presente su declaración de impuestos para poder acceder a los Pagos por Impacto Económico y a cualquier crédito fiscal adicional al que pueda ser elegible. Puede presentar las declaraciones de 2018, 2019, 2020 y 2021 de manera gratuita con GetYourRefund. - - title: "¿Qué pasa si no tengo una cuenta bancaria?" - content_html: |- - Si no tiene una cuenta bancaria, puede tardar hasta cinco meses en recibir su cheque del EIP por correo. Para recibir su pago rápidamente a través de un depósito directo, - regístrese en una cuenta bancaria en línea y añada la información de su cuenta cuando presente su declaración. Si no quiere registrarse en una cuenta bancaria, puede vincular su tarjeta de débito prepagada o - Cash App en su lugar. Muchos de nuestros colaboradores de VITA también pueden inscribirlo en una tarjeta de débito prepagada cuando presente su declaración. - - title: "¿Y si me he mudado desde el año pasado?" - content_html: |- - La forma más fácil de actualizar su dirección es presentando su declaración de 2020 con la dirección correcta. Si ya ha presentado la declaración con su antigua dirección, puede utilizar el sitio web de cambio de dirección del - IRS para actualizar su dirección. Puede haber retrasos en la recepción de su EIP - podría tardar hasta cinco meses en recibir su cheque por correo. + - title: "¿Cómo puedo recibir mi cheque del Pago de Impacto Económico?" + content_html: Si el IRS aún no ha enviado su primera o segunda ronda de pagos de estímulo, o si recibió una cantidad incorrecta para cualquier de los dos pagos, tendrá que presentar una declaración de impuestos de 2020 para poder recibirlo. + - title: "¿Cómo puedo determinar si el IRS ha enviado mi pago de estímulo?" + content_html: |- + Si no está seguro de si el IRS ha enviado su tercer pago de estímulo o quiere comprobar el estado, puede buscar en el sitio web del IRS + Obtener mi pago. Para ver si ha recibido los anteriores pagos de estímulo, y qué cantidad, debe + ver o crear una cuenta en línea con el IRS. + - title: "¿Qué pasa si hay problemas con los datos de mi cuenta bancaria?" + content_html: |- + Si el IRS no puede depositar en la cuenta que tiene registrada, le enviarán el pago por correo a la dirección que tiene registrada. Si el correo es devuelto, la herramienta + Obtener mi pago mostrará un estado de "se necesita más información" y usted tendrá la oportunidad de proporcionar nueva información bancaria. + - title: "¿Qué pasa si no he declarado los impuestos federales?" + content_html: Le recomendamos que presente su declaración de impuestos para poder acceder a los Pagos por Impacto Económico y a cualquier crédito fiscal adicional al que pueda ser elegible. Puede presentar las declaraciones de 2018, 2019, 2020 y 2021 de manera gratuita con GetYourRefund. + - title: "¿Qué pasa si no tengo una cuenta bancaria?" + content_html: |- + Si no tiene una cuenta bancaria, puede tardar hasta cinco meses en recibir su cheque del EIP por correo. Para recibir su pago rápidamente a través de un depósito directo, + regístrese en una cuenta bancaria en línea y añada la información de su cuenta cuando presente su declaración. Si no quiere registrarse en una cuenta bancaria, puede vincular su tarjeta de débito prepagada o + Cash App en su lugar. Muchos de nuestros colaboradores de VITA también pueden inscribirlo en una tarjeta de débito prepagada cuando presente su declaración. + - title: "¿Y si me he mudado desde el año pasado?" + content_html: |- + La forma más fácil de actualizar su dirección es presentando su declaración de 2020 con la dirección correcta. Si ya ha presentado la declaración con su antigua dirección, puede utilizar el sitio web de cambio de dirección del + IRS para actualizar su dirección. Puede haber retrasos en la recepción de su EIP - podría tardar hasta cinco meses en recibir su cheque por correo. header: Obtener su pago de estímulo (EIP en Inglés) intro: common_questions: Sabemos que hay muchas preguntas en torno a los Pagos de Impacto Económico (EIP) y tenemos algunas respuestas. Hemos escogido algunas preguntas comunes para ayudarle. description: - - El gobierno federal ha comenzado a enviar la tercera ronda de pagos de impacto económico (EIPs en Inglés) a menudo llamada pago de estímulo). En esta ronda, los individuos pueden recibir hasta $1,400 por sí mismos ($2,800 por una pareja casada que se presenta conjuntamente) y $1,400 adicionales por cada dependiente. - - Si aún no ha recibido este pago o rondas de pagos anteriores, ¡no es demasiado tarde! Todavía puede reclamarlos en la declaración de impuestos de este año. + - El gobierno federal ha comenzado a enviar la tercera ronda de pagos de impacto económico (EIPs en Inglés) a menudo llamada pago de estímulo). En esta ronda, los individuos pueden recibir hasta $1,400 por sí mismos ($2,800 por una pareja casada que se presenta conjuntamente) y $1,400 adicionales por cada dependiente. + - Si aún no ha recibido este pago o rondas de pagos anteriores, ¡no es demasiado tarde! Todavía puede reclamarlos en la declaración de impuestos de este año. eligibility: header: "¿Quién es elegible?" info: - - Para la primera ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $1,200 para individuos o $2,400 para parejas casadas y hasta $500 por cada niño calificado menor de 17 años. Para la segunda ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $600 para individuos o $1,200 para parejas casadas y hasta $600 por cada niño calificado. - - En cada ronda de pagos, los declarantes de impuestos con ingresos brutos ajustados de hasta $75,000 para individuos, hasta $112,500 para aquellos que se presentan como jefes de familia, y hasta $150,000 para parejas casadas que presentan declaraciones conjuntas reciben el pago completo. Para los declarantes con ingresos superiores a esas cantidades, el monto del pago se reduce gradualmente. - - En las dos primeras rondas de pagos, sólo los niños menores de 17 años podían ser reclamados por el pago de dependiente. Otros dependientes no eran elegibles — y tampoco podían reclamar el EIP ellos mismos. En la tercera ronda de pagos, todos los dependientes, incluidos los estudiantes universitarios y los dependientes adultos, pueden ser reclamados. Además, como se describe a continuación, algunos niños en hogares de estatus de inmigración mixta que antes no eran elegibles, pueden recibir el tercer pago. - - 'El IRS realizó las dos primeras rondas de pagos basándose en la información que tenía de las declaraciones de impuestos de 2018 o 2019. Si usted es elegible para un pago más grande basado en su información de 2020, puede reclamar este crédito cuando presente su declaración de 2020. Por ejemplo:' + - Para la primera ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $1,200 para individuos o $2,400 para parejas casadas y hasta $500 por cada niño calificado menor de 17 años. Para la segunda ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $600 para individuos o $1,200 para parejas casadas y hasta $600 por cada niño calificado. + - En cada ronda de pagos, los declarantes de impuestos con ingresos brutos ajustados de hasta $75,000 para individuos, hasta $112,500 para aquellos que se presentan como jefes de familia, y hasta $150,000 para parejas casadas que presentan declaraciones conjuntas reciben el pago completo. Para los declarantes con ingresos superiores a esas cantidades, el monto del pago se reduce gradualmente. + - En las dos primeras rondas de pagos, sólo los niños menores de 17 años podían ser reclamados por el pago de dependiente. Otros dependientes no eran elegibles — y tampoco podían reclamar el EIP ellos mismos. En la tercera ronda de pagos, todos los dependientes, incluidos los estudiantes universitarios y los dependientes adultos, pueden ser reclamados. Además, como se describe a continuación, algunos niños en hogares de estatus de inmigración mixta que antes no eran elegibles, pueden recibir el tercer pago. + - "El IRS realizó las dos primeras rondas de pagos basándose en la información que tenía de las declaraciones de impuestos de 2018 o 2019. Si usted es elegible para un pago más grande basado en su información de 2020, puede reclamar este crédito cuando presente su declaración de 2020. Por ejemplo:" info_last_html: - - Para reclamar este crédito, deberá informar cuánto recibió de los dos EIP en 2020. Sin embargo, no tendrá que pagar los pagos de estímulo que recibió si sus ingresos aumentaron en 2020 o el número de dependientes que afirmó bajó. Deberá completar la hoja de trabajo de crédito de reembolso de recuperación para la línea 30 del formulario de impuestos 2020 1040. Podemos ayudarle con estos formularios si presenta su declaración a través de GetYourRefund. - - Si tiene ingresos del trabajo o dependientes, es posible que pueda acceder a créditos o beneficios fiscales adicionales al presentar o actualizar su información con el IRS. Comuníquese a través del chat para obtener más información. + - Para reclamar este crédito, deberá informar cuánto recibió de los dos EIP en 2020. Sin embargo, no tendrá que pagar los pagos de estímulo que recibió si sus ingresos aumentaron en 2020 o el número de dependientes que afirmó bajó. Deberá completar la hoja de trabajo de crédito de reembolso de recuperación para la línea 30 del formulario de impuestos 2020 1040. Podemos ayudarle con estos formularios si presenta su declaración a través de GetYourRefund. + - Si tiene ingresos del trabajo o dependientes, es posible que pueda acceder a créditos o beneficios fiscales adicionales al presentar o actualizar su información con el IRS. Comuníquese a través del chat para obtener más información. list: - - Solo recibió un pago parcial debido a la eliminación gradual, pero perdió su trabajo debido a COVID-19 y sus ingresos fueron menores en 2020 que en 2019. - - Tuvo un nuevo bebé en 2020. - - Usted podría ser reclamado como dependiente de otra persona en 2019, pero no en 2020. - - No estaba obligado a presentar una declaración de impuestos en 2018 o 2019, y no cumplió con la fecha límite para utilizar el portal de no declarantes para reclamar los pagos. + - Solo recibió un pago parcial debido a la eliminación gradual, pero perdió su trabajo debido a COVID-19 y sus ingresos fueron menores en 2020 que en 2019. + - Tuvo un nuevo bebé en 2020. + - Usted podría ser reclamado como dependiente de otra persona en 2019, pero no en 2020. + - No estaba obligado a presentar una declaración de impuestos en 2018 o 2019, y no cumplió con la fecha límite para utilizar el portal de no declarantes para reclamar los pagos. irs_info_html: El Departamento del Tesoro y el Servicio de Impuestos Internos (IRS) publicará toda la información importante en %{irs_eip_link} tan pronto como esté disponible. last_updated: Actualizado el 6 de Abril de 2021 mixed_status_eligibility: header: "¿Son elegibles las familias de estatus migratorio mixto?" info_html: - - Originalmente, las familias con estatus migratorio mixto no tenían derecho a la primera ronda de pagos. Sin embargo, ahora las familias con estatus mixto pueden solicitar tanto la primera como la segunda ronda de pagos en la declaración de impuestos de este año. Para la segunda ronda de pagos, si usted presenta la declaración conjuntamente con su cónyuge y sólo uno de ustedes tiene un número de seguro social válido, el cónyuge con el número de seguro social válido recibirá hasta 600 dólares y hasta 600 dólares por cualquier hijo que reúna los requisitos y tenga un número de seguro social. Sin embargo, el cónyuge que no tenga un número de seguro social válido no será elegible. Las mismas reglas ahora también se aplican para la primera ronda de pagos. - - |- - Para la tercera ronda de pagos, los declarantes que presenten sus impuestos con el Número de Identificación Personal (ITIN) pueden solicitar el EIP para sus dependientes que tengan números de seguro social. Puede obtener un ITIN presentando el - formulario I-7 y la documentación requerida con su declaración de impuestos, o llevando el formulario y la documentación a un - Agente de Aceptación Certificado. + - Originalmente, las familias con estatus migratorio mixto no tenían derecho a la primera ronda de pagos. Sin embargo, ahora las familias con estatus mixto pueden solicitar tanto la primera como la segunda ronda de pagos en la declaración de impuestos de este año. Para la segunda ronda de pagos, si usted presenta la declaración conjuntamente con su cónyuge y sólo uno de ustedes tiene un número de seguro social válido, el cónyuge con el número de seguro social válido recibirá hasta 600 dólares y hasta 600 dólares por cualquier hijo que reúna los requisitos y tenga un número de seguro social. Sin embargo, el cónyuge que no tenga un número de seguro social válido no será elegible. Las mismas reglas ahora también se aplican para la primera ronda de pagos. + - |- + Para la tercera ronda de pagos, los declarantes que presenten sus impuestos con el Número de Identificación Personal (ITIN) pueden solicitar el EIP para sus dependientes que tengan números de seguro social. Puede obtener un ITIN presentando el + formulario I-7 y la documentación requerida con su declaración de impuestos, o llevando el formulario y la documentación a un + Agente de Aceptación Certificado. title: Pago de estímulo tax_questions: cannot_answer: different_services: Preguntas sobre los impuestos declarados mediante otro servicio (p. ej., H&R Block o TurboTax) - header: 'No podemos responder a lo siguiente:' + header: "No podemos responder a lo siguiente:" refund_amounts: El monto del reembolso que recibirá header: "¡Tratemos de responder a sus preguntas sobre los impuestos!" see_faq: Consulte nuestras preguntas frecuentes @@ -6360,7 +6338,7 @@ es: title: Vaya, parece que estamos al límite de capacidad en este momento. warning_html: "Un recordatorio amistoso de que la fecha límite de presentación es el %{tax_deadline}. Recomendamos presentar la solicitud lo antes posible." backtaxes: - select_all_that_apply: 'Seleccione todos los años que desea declarar:' + select_all_that_apply: "Seleccione todos los años que desea declarar:" title: "¿Para cuál o cuáles de los siguientes años le gustaría declarar?" balance_payment: title: Si tiene un saldo pendiente, ¿le gustaría realizar un pago directamente desde su cuenta bancaria? @@ -6620,7 +6598,7 @@ es: consent_to_disclose_html: Consentimiento para divulgar: Usted nos permite enviar su información fiscal a la empresa de software de impuestos y a la institución financiera que especificó (si corresponde). consent_to_use_html: Consentimiento para usar: Usted nos permite incluir su declaración de impuestos en informes. global_carryforward_html: Traspaso global: usted nos permite poner la información de su declaración de impuestos a disposición de otros programas de VITA que pueda visitar. - help_text_html: 'Respetamos su privacidad. Tiene la opción de dar su consentimiento para lo siguiente:' + help_text_html: "Respetamos su privacidad. Tiene la opción de dar su consentimiento para lo siguiente:" legal_details_html: |

      La ley Federal requiere que le proporcionemos este formulario de consentimiento. A menos que la ley lo autorice, no podemos divulgar sin su consentimiento la información de su declaración de impuestos a terceros para propósitos diferentes a la preparación y presentación de su declaración de impuestos. Si usted da su consentimiento para la divulgación de la información de su declaración de impuestos, la ley Federal tal vez no pueda proteger la información de su declaración de impuestos de uso adicional o distribución.

      @@ -6761,7 +6739,7 @@ es: other: En el %{year}, ¿usted o su cónyuge pagó interés de algún préstamo educativo? successfully_submitted: additional_text: Guarde este número para sus registros y futuras referencias. - client_id: 'Número de identificación del cliente: %{client_id}' + client_id: "Número de identificación del cliente: %{client_id}" next_steps: confirmation_message: En seguido, recibirá un mensaje de confirmación. header: Próximos pasos @@ -6782,7 +6760,7 @@ es: one: "¿Ha sido rechazado en el año anterior el Crédito por Ingreso del Trabajo, el Crédito Tributario por Hijos, el Crédito por Oportunidad Estadounidense o el estado civil de Jefe de Familia?" other: "¿Ha tenido usted o su pareja el crédito por ingreso del trabajo, el crédito tributario por hijos, el crédito por oportunidad estadounidense o el estado civil de cabeza de familia rechazado en un año anterior?" verification: - body: 'Se le ha enviado un mensaje con su código a:' + body: "Se le ha enviado un mensaje con su código a:" error_message: El código de verificación es incorrecto title: "¡Verifiquemos esa información de contacto con un código!" verification_code_label: Ingrese el código de 6 dígitos @@ -6818,55 +6796,55 @@ es: consent_agreement: details: header: Detalles - intro: 'Este sitio utiliza un proceso 100% virtual de VITA / TCE: este método incluye interacciones no cara a cara con el contribuyente y cualquiera de los voluntarios de VITA / TCE durante la admisión, entrevista, preparación de la declaración, revisión de calidad y firma de la declaración de impuestos. Se le explicará al contribuyente el proceso completo y se requiere que dé su consentimiento para el proceso paso a paso utilizado por el sitio. Esto incluye los procedimientos virtuales para enviar los documentos requeridos (números de seguro social, formulario W-2 y otros documentos) a través de un sistema seguro para compartir archivos a un voluntario designado para su revisión.' + intro: "Este sitio utiliza un proceso 100% virtual de VITA / TCE: este método incluye interacciones no cara a cara con el contribuyente y cualquiera de los voluntarios de VITA / TCE durante la admisión, entrevista, preparación de la declaración, revisión de calidad y firma de la declaración de impuestos. Se le explicará al contribuyente el proceso completo y se requiere que dé su consentimiento para el proceso paso a paso utilizado por el sitio. Esto incluye los procedimientos virtuales para enviar los documentos requeridos (números de seguro social, formulario W-2 y otros documentos) a través de un sistema seguro para compartir archivos a un voluntario designado para su revisión." sections: - - header: Resumen - content: - - Comprendo esta Asistencia Voluntaria al Contribuyente Tributario (VITA) es una Programas de Impuestos Gratuitos Ofrecidos que protege mis derechos civiles. - - Entiendo que GetYourRefund.org es un sitio web dirigido por Code for America, una organización sin fines de lucro, que enviará mi información tributaria a un sitio de preparación de VITA. - - header: La obtención del acuerdo de consentimiento del contribuyente - content: - - Entiendo que seleccionar "Acepto" proporciona mi consentimiento para el proceso de preparación de impuestos de GetYourRefund. - - header: La realización del proceso de admisión (obtener todos los documentos) - content: - - 'Proceso de admisión: GetYourRefund coleccionará su información y documentación a través del proceso de admisión para preparar con precisión su declaración de impuestos. Todos los documentos seran guardados y asegurados en el sistema.' - - Entiendo que debo de proporcionar toda la información/documentación requerida para preparar una declaración de impuestos correcta. - - header: Validación de la autenticidad del contribuyente (revisión de identificación con foto y tarjetas de seguro social / ITINS) - content: - - Entiendo que este sitio recopila la información de identificación personal que proporciono (números de seguro social, Formulario W-2 y / o 1099, identificación con foto y otros documentos) para preparar y revisar mi declaración de impuestos. La identidad se valida mediante la revisión de una identificación con foto, prueba de número de seguro social o Número de Identificación Personal (ITIN) y una foto del contribuyente con su identificación. - - header: La realización de la entrevista con el (los) contribuyente (s) - content: - - Entiendo que debo participar en una entrevista de admisión por teléfono para que un sitio de VITA prepare mi declaración de impuestos. - - header: La preparación de la declaración de impuestos - content: - - 'Proceso de preparación de la declaración: GetYourRefund utilizará su información/documentación para completar una declaración de impuestos.' - - Entiendo que alguien podría comunicarse conmigo a través del medio que yo prefiera para obtener más información. Si el preparador tiene todo lo necesario para preparar la declaración, nadie se comunicará conmigo hasta que la declaración esté lista. - - header: La realización de la revisión de calidad - content: - - Entiendo que debo participar en una Revisión de Calidad por teléfono para que un sitio VITA prepare mi declaración de impuestos. - - Entiendo que tengo que revisar mi declaración de impuestos cuando esté lista para verificar que los nombres, números del Seguro Social, la dirección, la información bancaria, los ingresos y gastos sean correctos a mi entender. - - header: Compartir la declaración completa - content: - - 'Proceso de control de calidad: GetYourRefund le enviará su declaración para que la verifique antes de presentarla.' - - header: La firma de la declaración - content: - - Entiendo que tendré que firmar el formulario 8879 (SP), la autorización de firma electrónica del IRS para presentar la declaración por Internet, mediante una firma electrónica que enviaré por correo electrónico, después de completar la revisión de calidad para que un sitio de preparación de VITA pueda presentar mi declaración de impuestos en línea. - - Entiendo que mi pareja (si tengo) y yo somos responsables en última instancia de toda la información proporcionada a GetYourRefund. - - header: La presentación electrónica de la declaración de impuestos - content: - - Entiendo que GetYourRefund va a entregar mi declaración de impuestos al IRS electrónicamente. - - header: Solicitud Para Verificar la Precisión de su Declaración de Impuestos - content: - - Para asegurar que usted esta recibiendo servicio de alta calidad y una declaración de impuestos preparada correctamente en el sitio de voluntarios, los empleados del IRS hacen una selección aleatoria de los sitios de preparación gratuita de impuestos para revisión. Si se identifican errores el sitio hará las correcciones necesarias. El IRS no retiene ninguna información personal de su declaración de impuestos durante la revisión, y esta les permite dar una calificación a nuestros programas de preparación de impuestos VITA/TCE por preparar declaraciones de impuestos correctamente. Al dar su consentimiento a este servicio usted también da su consentimiento a que su declaración sea revisada por un empleado del IRS para verificar su precisión si el sitio que prepara esta declaración es elegido para revisión. - - header: Consentimiento virtual para la divulgación - content: - - Si acepta que su declaración de impuestos se prepare y sus documentos tributarios se tramiten de la manera anterior, su firma y/o acuerdo son obligatorios en este documento. Firmar este documento significa que usted está de acuerdo con los procedimientos indicados anteriormente para que le preparen una declaración de impuestos. (Si se trata de una declaración de casado con presentación conjunta, ambos cónyuges tienen que firmar y fechar este documento). Si opta por no firmar este formulario, es posible que no podamos preparar su declaración de impuestos mediante este proceso. Ya que preparamos su declaración de impuestos virtualmente, tenemos que obtener su consentimiento de que acepta este proceso. - - Si usted da su consentimiento para utilizar estos sistemas virtuales que no pertenecen al IRS para divulgar o utilizar su información sobre la declaración de impuestos, la ley federal puede que no proteja la información de su declaración de impuestos de un uso o distribución adicional en caso de que estos sistemas sean pirateados o violados sin nuestro conocimiento. - - Si usted acepta la divulgación de la información de su declaración de impuestos, su consentimiento es válido por la cantidad de tiempo que lo especifique. Si no especifica la duración de su consentimiento, su consentimiento es válido por un año a partir de la fecha de la firma. - - Si usted cree que la información de su declaración de impuestos ha sido divulgada o utilizada indebidamente de una manera no autorizada por la ley o sin su permiso, puede comunicarse con el Inspector General del Tesoro para la Administración Tributaria (TIGTA, por sus siglas en inglés) por teléfono al 1-800-366-4484 o por correo electrónico a complaints@tigta.treas.gov. - - Mientras que el IRS es responsable de proveer los requisitos de supervisión a los programas de Asistencia Voluntaria con los Impuestos sobre los Ingresos (VITA, por sus siglas en inglés) y la Asesoría Tributaria para la Personas de Edad Avanzada (TCE, por sus siglas en inglés), estos sitios son operados por socios patrocinados por el IRS que gestionan los requisitos de las operaciones del sitio del IRS y las normas éticas de los voluntarios. Además, las ubicaciones de estos sitios pueden no estar en la propiedad federal. - - Al firmar más abajo, usted y su cónyuge (si aplica a su situación) aceptan participar en el proceso y dan su consentimiento a que GetYourRefund les ayude a preparar sus impuestos. Ustedes aceptan los términos de la política de privacidad en www.GetYourRefund.org/privacy. - - Este formulario de consentimiento reemplaza el formulario 14446 (SP) del IRS, consentimiento del contribuyente del VITA/TCE Virtual. Una copia copia de este consentimiento sera conservada, como lo exige el IRS. + - header: Resumen + content: + - Comprendo esta Asistencia Voluntaria al Contribuyente Tributario (VITA) es una Programas de Impuestos Gratuitos Ofrecidos que protege mis derechos civiles. + - Entiendo que GetYourRefund.org es un sitio web dirigido por Code for America, una organización sin fines de lucro, que enviará mi información tributaria a un sitio de preparación de VITA. + - header: La obtención del acuerdo de consentimiento del contribuyente + content: + - Entiendo que seleccionar "Acepto" proporciona mi consentimiento para el proceso de preparación de impuestos de GetYourRefund. + - header: La realización del proceso de admisión (obtener todos los documentos) + content: + - "Proceso de admisión: GetYourRefund coleccionará su información y documentación a través del proceso de admisión para preparar con precisión su declaración de impuestos. Todos los documentos seran guardados y asegurados en el sistema." + - Entiendo que debo de proporcionar toda la información/documentación requerida para preparar una declaración de impuestos correcta. + - header: Validación de la autenticidad del contribuyente (revisión de identificación con foto y tarjetas de seguro social / ITINS) + content: + - Entiendo que este sitio recopila la información de identificación personal que proporciono (números de seguro social, Formulario W-2 y / o 1099, identificación con foto y otros documentos) para preparar y revisar mi declaración de impuestos. La identidad se valida mediante la revisión de una identificación con foto, prueba de número de seguro social o Número de Identificación Personal (ITIN) y una foto del contribuyente con su identificación. + - header: La realización de la entrevista con el (los) contribuyente (s) + content: + - Entiendo que debo participar en una entrevista de admisión por teléfono para que un sitio de VITA prepare mi declaración de impuestos. + - header: La preparación de la declaración de impuestos + content: + - "Proceso de preparación de la declaración: GetYourRefund utilizará su información/documentación para completar una declaración de impuestos." + - Entiendo que alguien podría comunicarse conmigo a través del medio que yo prefiera para obtener más información. Si el preparador tiene todo lo necesario para preparar la declaración, nadie se comunicará conmigo hasta que la declaración esté lista. + - header: La realización de la revisión de calidad + content: + - Entiendo que debo participar en una Revisión de Calidad por teléfono para que un sitio VITA prepare mi declaración de impuestos. + - Entiendo que tengo que revisar mi declaración de impuestos cuando esté lista para verificar que los nombres, números del Seguro Social, la dirección, la información bancaria, los ingresos y gastos sean correctos a mi entender. + - header: Compartir la declaración completa + content: + - "Proceso de control de calidad: GetYourRefund le enviará su declaración para que la verifique antes de presentarla." + - header: La firma de la declaración + content: + - Entiendo que tendré que firmar el formulario 8879 (SP), la autorización de firma electrónica del IRS para presentar la declaración por Internet, mediante una firma electrónica que enviaré por correo electrónico, después de completar la revisión de calidad para que un sitio de preparación de VITA pueda presentar mi declaración de impuestos en línea. + - Entiendo que mi pareja (si tengo) y yo somos responsables en última instancia de toda la información proporcionada a GetYourRefund. + - header: La presentación electrónica de la declaración de impuestos + content: + - Entiendo que GetYourRefund va a entregar mi declaración de impuestos al IRS electrónicamente. + - header: Solicitud Para Verificar la Precisión de su Declaración de Impuestos + content: + - Para asegurar que usted esta recibiendo servicio de alta calidad y una declaración de impuestos preparada correctamente en el sitio de voluntarios, los empleados del IRS hacen una selección aleatoria de los sitios de preparación gratuita de impuestos para revisión. Si se identifican errores el sitio hará las correcciones necesarias. El IRS no retiene ninguna información personal de su declaración de impuestos durante la revisión, y esta les permite dar una calificación a nuestros programas de preparación de impuestos VITA/TCE por preparar declaraciones de impuestos correctamente. Al dar su consentimiento a este servicio usted también da su consentimiento a que su declaración sea revisada por un empleado del IRS para verificar su precisión si el sitio que prepara esta declaración es elegido para revisión. + - header: Consentimiento virtual para la divulgación + content: + - Si acepta que su declaración de impuestos se prepare y sus documentos tributarios se tramiten de la manera anterior, su firma y/o acuerdo son obligatorios en este documento. Firmar este documento significa que usted está de acuerdo con los procedimientos indicados anteriormente para que le preparen una declaración de impuestos. (Si se trata de una declaración de casado con presentación conjunta, ambos cónyuges tienen que firmar y fechar este documento). Si opta por no firmar este formulario, es posible que no podamos preparar su declaración de impuestos mediante este proceso. Ya que preparamos su declaración de impuestos virtualmente, tenemos que obtener su consentimiento de que acepta este proceso. + - Si usted da su consentimiento para utilizar estos sistemas virtuales que no pertenecen al IRS para divulgar o utilizar su información sobre la declaración de impuestos, la ley federal puede que no proteja la información de su declaración de impuestos de un uso o distribución adicional en caso de que estos sistemas sean pirateados o violados sin nuestro conocimiento. + - Si usted acepta la divulgación de la información de su declaración de impuestos, su consentimiento es válido por la cantidad de tiempo que lo especifique. Si no especifica la duración de su consentimiento, su consentimiento es válido por un año a partir de la fecha de la firma. + - Si usted cree que la información de su declaración de impuestos ha sido divulgada o utilizada indebidamente de una manera no autorizada por la ley o sin su permiso, puede comunicarse con el Inspector General del Tesoro para la Administración Tributaria (TIGTA, por sus siglas en inglés) por teléfono al 1-800-366-4484 o por correo electrónico a complaints@tigta.treas.gov. + - Mientras que el IRS es responsable de proveer los requisitos de supervisión a los programas de Asistencia Voluntaria con los Impuestos sobre los Ingresos (VITA, por sus siglas en inglés) y la Asesoría Tributaria para la Personas de Edad Avanzada (TCE, por sus siglas en inglés), estos sitios son operados por socios patrocinados por el IRS que gestionan los requisitos de las operaciones del sitio del IRS y las normas éticas de los voluntarios. Además, las ubicaciones de estos sitios pueden no estar en la propiedad federal. + - Al firmar más abajo, usted y su cónyuge (si aplica a su situación) aceptan participar en el proceso y dan su consentimiento a que GetYourRefund les ayude a preparar sus impuestos. Ustedes aceptan los términos de la política de privacidad en www.GetYourRefund.org/privacy. + - Este formulario de consentimiento reemplaza el formulario 14446 (SP) del IRS, consentimiento del contribuyente del VITA/TCE Virtual. Una copia copia de este consentimiento sera conservada, como lo exige el IRS. site_process_header: El Proceso en el Sitio de GetYourRefund information_you_provide: Usted entiende que la información que proporciona en este sitio web (GetYourRefund.org) se envía a un sitio de preparación de Asistencia Voluntaria al Contribuyente (VITA, por sus siglas en inglés) para que un voluntario certificado por el Servicio de Rentas Internas (IRS, por sus siglas en inglés) revise su información, realice una entrevista de admisión por teléfono, prepare su declaración de impuestos y haga una revisión de calidad antes de presentarla. proceed_and_confirm: Al continuar, usted confirma que las siguientes declaraciones son verdaderas y completas hasta donde se sabe. @@ -6887,13 +6865,13 @@ es: grayscale_partner_logo: provider_homepage: Portada de %{provider_name} progress_bar: - progress_text: 'Progreso de la admisión:' + progress_text: "Progreso de la admisión:" service_comparison: additional_benefits: Beneficios adicionales all_services: Todos los servicios ofrecen soporte por correo electrónico y están disponibles en Inglés y Español. chat_support: Asistencia por chat filing_years: - title: 'Años en que se hicieron declaraciones:' + title: "Años en que se hicieron declaraciones:" id_documents: diy: Números de identificación o ID en inglés full_service: Foto @@ -6940,7 +6918,7 @@ es: diy: 45 minutos full_service: De 2 a 3 semanas subtitle: Los plazos de tramitación de los pagos del IRS varían de 3-6 semanas - title: 'Plazo de tiempo para presentar la declaración:' + title: "Plazo de tiempo para presentar la declaración:" title_html: |- Declaración de impuestos gratuita para las familias que califican.
      ¡Encuentre el servicio de impuestos adecuado para usted! From b88355d3b0af3988454fef313df3c16da4b2ea6a Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 12:28:12 -0500 Subject: [PATCH 02/18] Fix failing spec Co-authored-by: Hugo Melo --- app/models/az322_contribution.rb | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/app/models/az322_contribution.rb b/app/models/az322_contribution.rb index 98412c313d..0338a07933 100644 --- a/app/models/az322_contribution.rb +++ b/app/models/az322_contribution.rb @@ -25,12 +25,11 @@ class Az322Contribution < ApplicationRecord accepts_nested_attributes_for :state_file_az_intake, update_only: true validates :school_name, presence: true - validates :ctds_code, presence: true, format: { with: /\A\d{9}\z/, message: -> (_object, _data) { I18n.t("validators.ctds_code") }} + validates :ctds_code, presence: true, format: { with: /\A\d{9}\z/, message: ->(_object, _data) { I18n.t("validators.ctds_code") }} validates :district_name, presence: true validates :amount, presence: true, numericality: { greater_than: 0 } validates :date_of_contribution, inclusion: { in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year - }, - presence: true + } end From cca5956fe9b30013e969ed3e04a78f0129c138bf Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 12:46:12 -0500 Subject: [PATCH 03/18] normalize i18n Co-authored-by: Hugo Melo --- config/locales/en.yml | 1210 ++++++++++++++++++++-------------------- config/locales/es.yml | 1228 ++++++++++++++++++++--------------------- 2 files changed, 1217 insertions(+), 1221 deletions(-) diff --git a/config/locales/en.yml b/config/locales/en.yml index a9f289b61c..5f1fe513cc 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -102,8 +102,8 @@ en: file_yourself: edit: info: - - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! - - To get started, we’ll need to collect some basic information. + - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! + - To get started, we’ll need to collect some basic information. title: File taxes on your own documents: documents_help: @@ -192,7 +192,7 @@ en: too_short: The password must be a minimum %{count} characters. payer_name: blank: Please enter a valid name. - invalid: "Only letters, numbers, parentheses, apostrophe, and # are accepted." + invalid: 'Only letters, numbers, parentheses, apostrophe, and # are accepted.' payer_tin: invalid: EIN must be a 9-digit number. Do not include a dash. payer_tin_ny_invalid: The number entered is not an accepted TIN by New York State. @@ -252,11 +252,11 @@ en: contact_method_required: "%{attribute} is required if opting into notifications" invalid_tax_status: The provided tax status is not valid. mailing_address: - city: "Error: Invalid City" - invalid: "Error: Invalid Address." - multiple: "Error: Multiple addresses were found for the information you entered, and no default exists." - not_found: "Error: Address Not Found." - state: "Error: Invalid State Code" + city: 'Error: Invalid City' + invalid: 'Error: Invalid Address.' + multiple: 'Error: Multiple addresses were found for the information you entered, and no default exists.' + not_found: 'Error: Address Not Found.' + state: 'Error: Invalid State Code' md_county: residence_county: presence: Please select a county @@ -276,7 +276,7 @@ en: must_equal_100: Routing percentages must total 100%. status_must_change: Can't initiate status change to current status. tax_return_belongs_to_client: Can't update tax return unrelated to current client. - tax_returns: "Please provide all required fields for tax returns: %{attrs}." + tax_returns: 'Please provide all required fields for tax returns: %{attrs}.' tax_returns_attributes: certification_level: certification level is_hsa: is HSA @@ -295,7 +295,7 @@ en: address: Address admin: Admin admin_controls: Admin Controls - affirmative: "Yes" + affirmative: 'Yes' all_organizations: All organizations and: and assign: Assign @@ -506,7 +506,7 @@ en: my_account: My account my_profile: My profile name: Name - negative: "No" + negative: 'No' new: New new_unique_link: Additional unique link nj_staff: New Jersey Staff @@ -628,7 +628,7 @@ en: very_well: Very well visit_free_file: Visit IRS Free File visit_stimulus_faq: Visit Stimulus FAQ - vita_long: "VITA: Volunteer Income Tax Assistance" + vita_long: 'VITA: Volunteer Income Tax Assistance' well: Well widowed: Widowed written_language_options: @@ -709,17 +709,17 @@ en: new_status: New Status remove_assignee: Remove assignee selected_action_and_tax_return_count_html: - one: "You’ve selected Change Assignee and/or Status for %{count} return with the following status:" - other: "You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:" + one: 'You’ve selected Change Assignee and/or Status for %{count} return with the following status:' + other: 'You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:' title: Bulk Action change_organization: edit: by_clicking_submit: By clicking submit, you are changing the organization, sending a team note, and updating followers. - help_text_html: "Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned." + help_text_html: 'Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned.' new_organization: New organization selected_action_and_client_count_html: - one: "You’ve selected Change Organization for %{count} client in the current organization:" - other: "You’ve selected Change Organization for %{count} clients in the current organizations:" + one: 'You’ve selected Change Organization for %{count} client in the current organization:' + other: 'You’ve selected Change Organization for %{count} clients in the current organizations:' title: Bulk Action send_a_message: edit: @@ -776,7 +776,7 @@ en: middle_initial: M.I. months_in_home: "# of mos. lived in home last year:" never_married: Never Married - north_american_resident: "Resident of US, CAN or MEX last year:" + north_american_resident: 'Resident of US, CAN or MEX last year:' owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -786,7 +786,7 @@ en: receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail refund_other: Other - refund_payment_method: "If you are due a refund, would you like:" + refund_payment_method: 'If you are due a refund, would you like:' refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -798,8 +798,8 @@ en: was_full_time_student: Full Time Student was_married: Single or Married as of 12/31/2024 was_student: Full-time Student last year - last_year_was_your_spouse: "Last year, was your spouse:" - last_year_were_you: "Last year, were you:" + last_year_was_your_spouse: 'Last year, was your spouse:' + last_year_were_you: 'Last year, were you:' title: 13614-C page 1 what_was_your_marital_status: As of December 31, %{current_tax_year}, what was your marital status? edit_13614c_form_page2: @@ -807,9 +807,9 @@ en: had_asset_sale_income: Income (or loss) from the sale or exchange of Stocks, Bonds, Virtual Currency or Real Estate? had_disability_income: Disability income? had_gambling_income: Gambling winnings, including lottery - had_interest_income: "Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?" + had_interest_income: 'Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?' had_local_tax_refund: Refund of state or local income tax - had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" + had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' had_rental_income: Income (or loss) from Rental Property? had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -897,7 +897,7 @@ en: client_id_heading: Client ID client_info: Client Info created_at: Created at - excludes_statuses: "excludes: %{statuses}" + excludes_statuses: 'excludes: %{statuses}' filing_year: Filing Year filter: Filter results filters: Filters @@ -926,7 +926,7 @@ en: title: Add a new client organizations: edit: - warning_text_1: "Note: All returns on this client will be assigned to the new organization." + warning_text_1: 'Note: All returns on this client will be assigned to the new organization.' warning_text_2: Changing the organization may cause assigned hub users to lose access and be unassigned. show: basic_info: Basic Info @@ -959,7 +959,7 @@ en: email: sent email internal_note: added internal note status: updated status - success: "Success: Action taken! %{action_list}." + success: 'Success: Action taken! %{action_list}.' text_message: sent text message coalitions: edit: @@ -979,7 +979,7 @@ en: client_id: Client ID client_name: Client Name no_clients: No clients to display at the moment - title: "Action Required: Flagged Clients" + title: 'Action Required: Flagged Clients' updated: Updated At approaching: Approaching capacity: Capacity @@ -1028,7 +1028,7 @@ en: has_duplicates: Potential duplicates detected has_previous_year_intakes: Previous year intake(s) itin_applicant: ITIN applicant - last_client_update: "Last client update: " + last_client_update: 'Last client update: ' last_contact: Last contact messages: automated: Automated @@ -1062,14 +1062,14 @@ en: label: Add a note submit: Save outbound_call_synthetic_note: Called by %{user_name}. Call was %{status} and lasted %{duration}. - outbound_call_synthetic_note_body: "Call notes:" + outbound_call_synthetic_note_body: 'Call notes:' organizations: activated_all: success: Successfully activated %{count} users form: active_clients: active clients allows_greeters: Allows Greeters - excludes: "excludes statuses: Accepted, Not filing, On hold" + excludes: 'excludes statuses: Accepted, Not filing, On hold' index: add_coalition: Add new coalition add_organization: Add new organization @@ -1090,8 +1090,8 @@ en: client_phone_number: Client phone number notice_html: Expect a call from %{receiving_number} when you press 'Call'. notice_list: - - Your phone number will remain private -- it is not accessible to the client. - - We'll always call from this number -- consider adding it to your contacts. + - Your phone number will remain private -- it is not accessible to the client. + - We'll always call from this number -- consider adding it to your contacts. title: Call client your_phone_number: Your phone number show: @@ -1279,8 +1279,8 @@ en: send_a_message_description_html: Send a message to these %{count} clients. title: Choose your bulk action page_title: - one: "Client selection #%{id} (%{count} result)" - other: "Client selection #%{id} (%{count} results)" + one: 'Client selection #%{id} (%{count} result)' + other: 'Client selection #%{id} (%{count} results)' tax_returns: count: one: "%{count} tax return" @@ -1292,7 +1292,7 @@ en: new: assigned_user: Assigned user (optional) certification_level: Certification level (optional) - current_years: "Current Tax Years:" + current_years: 'Current Tax Years:' no_remaining_years: There are no remaining tax years for which to create a return. tax_year: Tax year title: Add tax year for %{name} @@ -1472,7 +1472,7 @@ en: We're here to help! Your Tax Team at GetYourRefund - subject: "GetYourRefund: You have a submission in progress" + subject: 'GetYourRefund: You have a submission in progress' sms: body: Hello <>, you haven't completed providing the information we need to prepare your taxes at GetYourRefund. Continue where you left off here <>. Your Client ID is <>. If you have any questions, please reply to this message. intercom_forwarding: @@ -1534,7 +1534,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! Make sure to pay your state taxes by April 15 at %{state_pay_taxes_link} if you have not paid via direct deposit or check. \n\nDownload your return at %{return_status_link}\n\nQuestions? Email us at help@fileyourstatetaxes.org.\n" accepted_refund: email: @@ -1547,7 +1547,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! You can expect to receive your refund as soon as %{state_name} approves your refund amount. \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: @@ -1557,7 +1557,7 @@ en: To continue filing your state tax return, please create a new account with FileYourStateTaxes by visiting: https://www.fileyourstatetaxes.org/en/%{state_code}/landing-page Need help? Email us at help@fileyourstatetaxes.org or chat with us on FileYourStateTaxes.org - subject: "FileYourStateTaxes: Regarding your %{state_name} tax return data import" + subject: 'FileYourStateTaxes: Regarding your %{state_name} tax return data import' sms: | Hello, you may have experienced an issue transferring your federal return data from IRS Direct File. This issue is now resolved. @@ -1607,7 +1607,7 @@ en: Best, The FileYourStateTaxes team - subject: "Final Reminder: FileYourStateTaxes closes April 25." + subject: 'Final Reminder: FileYourStateTaxes closes April 25.' sms: | Hi %{primary_first_name} - You haven't submitted your state tax return yet. Make sure to submit your state taxes as soon as possible to avoid late filing fees. Go to fileyourstatetaxes.org/en/login-options to finish them now. Need help? Email us at help@fileyourstatetaxes.org. @@ -1657,7 +1657,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed' sms: | Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return. Don't worry! We can help you fix and resubmit it at %{return_status_link}. @@ -1673,7 +1673,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected" + subject: 'FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected' sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Questions? Email us at help@fileyourstatetaxes.org. successful_submission: email: @@ -1689,7 +1689,7 @@ en: Best, The FileYourStateTaxes team resubmitted: resubmitted - subject: "FileYourStateTaxes Update: %{state_name} State Return Submitted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Submitted' submitted: submitted sms: Hi %{primary_first_name} - You successfully %{submitted_or_resubmitted} your %{state_name} state tax return! We'll update you in 1-2 days on the status of your return. You can download your return and check the status at %{return_status_link}. Need help? Email us at help@fileyourstatetaxes.org. survey_notification: @@ -1716,7 +1716,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected." + subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected.' sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our tool. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nQuestions? Reply to this text.\n" welcome: email: @@ -1768,8 +1768,8 @@ en: We’re here to help! Your tax team at GetYourRefund - subject: "GetYourRefund: You have successfully submitted your tax information!" - sms: "Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message." + subject: 'GetYourRefund: You have successfully submitted your tax information!' + sms: 'Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message.' surveys: completion: email: @@ -1780,7 +1780,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Thank you for choosing GetYourRefund! - sms: "Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" + sms: 'Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' ctc_experience: email: body: | @@ -1792,7 +1792,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Your feedback on GetCTC - sms: "Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" + sms: 'Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' unmonitored_replies: email: body: Replies not monitored. Write %{support_email} for assistance. To check on your refund status, go to Where's My Refund? To access your tax record, get your transcript. @@ -1817,8 +1817,8 @@ en: Thank you for creating an account with GetYourRefund! Your Client ID is <>. This is an important piece of account information that can assist you when talking to our chat representatives and when logging into your account. Please keep track of this number and do not delete this message. You can check your progress and add additional documents here: <> - subject: "Welcome to GetYourRefund: Client ID" - sms: "Hello <>, You've signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message." + subject: 'Welcome to GetYourRefund: Client ID' + sms: 'Hello <>, You''ve signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message.' models: intake: your_spouse: Your spouse @@ -1853,7 +1853,7 @@ en: last_four_or_client_id: Client ID or Last 4 of SSN/ITIN title: Authentication needed to continue. enter_verification_code: - code_sent_to_html: "A message with your code has been sent to: %{address}" + code_sent_to_html: 'A message with your code has been sent to: %{address}' enter_6_digit_code: Enter 6 digit code title: Let’s verify that code! verify: Verify @@ -1862,7 +1862,7 @@ en: bad_input: Incorrect client ID or last 4 of SSN/ITIN. After 5 failed attempts, accounts are locked. bad_verification_code: Incorrect verification code. After 5 failed attempts, accounts are locked. new: - one_form_of_contact: "Please enter one form of contact below:" + one_form_of_contact: 'Please enter one form of contact below:' send_code: Send code title: We’ll send you a secure code to sign in closed_logins: @@ -1885,7 +1885,7 @@ en: add_signature_primary: Please add your final signature to your tax return add_signature_spouse: Please add your spouse's final signature to your tax return finish_intake: Please answer remaining tax questions to continue. - client_id: "Client ID: %{id}" + client_id: 'Client ID: %{id}' document_link: add_final_signature: Add final signature add_missing_documents: Add missing documents @@ -1898,7 +1898,7 @@ en: view_w7: View or download form W-7 view_w7_coa: View or download form W-7 (COA) help_text: - file_accepted: "Completed: %{date}" + file_accepted: 'Completed: %{date}' file_hold: Your return is on hold. Your tax preparer will reach out with an update. file_not_filing: This return is not being filed. Contact your tax preparer with any questions. file_rejected: Your return has been rejected. Contact your tax preparer with any questions. @@ -1913,7 +1913,7 @@ en: review_reviewing: Your return is being reviewed. review_signature_requested_primary: We are waiting for a final signature from you. review_signature_requested_spouse: We are waiting for a final signature from your spouse. - subtitle: "Here is a snapshot of your taxes:" + subtitle: 'Here is a snapshot of your taxes:' tax_return_heading: "%{year} return" title: Welcome back %{name}! still_needs_helps: @@ -1982,7 +1982,7 @@ en: description: File quickly on your own. list: file: File for %{current_tax_year} only - income: "Income: under $84,000" + income: 'Income: under $84,000' timeframe: 45 minutes to file title: File Myself gyr_tile: @@ -1990,7 +1990,7 @@ en: description: File confidently with assistance from our IRS-certified volunteers. list: file: File for %{oldest_filing_year}-%{current_tax_year} - income: "Income: under $67,000" + income: 'Income: under $67,000' ssn: Must show copies of your Social Security card or ITIN paperwork timeframe: 2-3 weeks to file title: File with Help @@ -2049,17 +2049,17 @@ en: zero: "$0" title: Tell us about your filing status and income. vita_income_ineligible: - label: "Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?" + label: 'Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?' signups: flash_notice: Thank you! You will receive a notification when we open. new: banner: New intakes for GetYourRefund have closed for 2023. Please come back in January to file next year. header: We'd love to work with you next year to help you file your taxes for free! opt_in_message: - 01_intro: "Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:" + 01_intro: 'Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:' 02_list: - - Receiving a GetYourRefund Verification Code - - Tax return notifications + - Receiving a GetYourRefund Verification Code + - Tax return notifications 03_message_freq: Message frequency will vary. Standard message rates apply. Text HELP to 11111 for help. Text STOP to 11111 to cancel. Carriers (e.g. AT&T, Verizon, etc.) are not responsible or liable for undelivered or delayed messages. 04_detail_links_html: See our Terms and Conditions and Privacy Policy. subheader: Please sign up here to receive a notification when we open in January. @@ -2256,7 +2256,7 @@ en:
    • Bank routing and account numbers (if you want to receive your refund or make a tax payment electronically)
    • (optional) Driver's license or state issued ID
    - help_text_title: "What you’ll need:" + help_text_title: 'What you’ll need:' supported_by: Supported by the New Jersey Division of Taxation title: File your New Jersey taxes for free not_you: Not %{user_name}? @@ -2283,7 +2283,7 @@ en: section_4: Transfer your data section_5: Complete your state tax return section_6: Submit your state taxes - step_description: "Section %{current_step} of %{total_steps}: " + step_description: 'Section %{current_step} of %{total_steps}: ' notification_mailer: user_message: unsubscribe: To unsubscribe from emails, click here. @@ -2325,7 +2325,7 @@ en: az_prior_last_names: edit: prior_last_names_label: - one: "Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)" + one: 'Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)' other: Enter all last names used by you and your spouse in the last four years. subtitle: This includes tax years %{start_year}-%{end_year}. title: @@ -2357,11 +2357,11 @@ en: other: Did you or your spouse pay any fees or make any qualified cash donation to an Arizona public school in %{year}? more_details_html: Visit the Arizona Department of Revenue Guide for more details. qualifying_list: - - Extracurricular Activities - - Character Education - - Standardized Testing and Fees - - Career and Technical Education Assessment - - CPR Training + - Extracurricular Activities + - Character Education + - Standardized Testing and Fees + - Career and Technical Education Assessment + - CPR Training school_details_answer_html: | You can find this information on the receipt you received from the school.

    @@ -2376,7 +2376,7 @@ en: add_another: Add another donation delete_confirmation: Are you sure you want to delete this contribution? maximum_records: You have provided the maximum amount of records. - title: "Here are the public school donations/fees you added:" + title: 'Here are the public school donations/fees you added:' az_qualifying_organization_contributions: destroy: removed: Removed AZ 321 for %{charity_name} @@ -2547,7 +2547,7 @@ en: other_credits_529_html: Arizona 529 plan contributions deduction other_credits_add_dependents: Adding dependents not claimed on the federal return other_credits_change_filing_status: Change in filing status from federal to state return - other_credits_heading: "Other credits and deductions not supported this year:" + other_credits_heading: 'Other credits and deductions not supported this year:' other_credits_itemized_deductions: Itemized deductions property_tax_credit_age: Be 65 or older; or receive Supplemental Security Income property_tax_credit_heading_html: 'Property Tax Credit. To qualify for this credit you must:' @@ -2584,7 +2584,7 @@ en: itemized_deductions: Itemized deductions long_term_care_insurance_subtraction: Long-term Care Insurance Subtraction maintaining_elderly_disabled_credit: Credit for Maintaining a Home for the Elderly or Disabled - not_supported_this_year: "Credits and deductions not supported this year:" + not_supported_this_year: 'Credits and deductions not supported this year:' id_supported: child_care_deduction: Idaho Child and Dependent Care Subtraction health_insurance_premiums_subtraction: Health Insurance Premiums subtraction @@ -2677,8 +2677,8 @@ en: title2: What scenarios for claiming the Maryland Earned Income Tax Credit and/or Child Tax Credit aren't supported by this service? title3: What if I have a situation not yet supported by FileYourStateTaxes? md_supported: - heading1: "Subtractions:" - heading2: "Credits:" + heading1: 'Subtractions:' + heading2: 'Credits:' sub1: Subtraction for Child and Dependent Care Expenses sub10: Senior Tax Credit sub11: State and local Poverty Level Credits @@ -2713,7 +2713,7 @@ en:
  • Filing your federal and state tax returns using different filing statuses (for example you filed as Married Filing Jointly on your federal tax return and want to file Married Filing Separately on your state tax return)
  • Adding or removing dependents claimed on your federal return for purposes of your state return
  • Applying a portion of your 2024 refund toward your 2025 estimated taxes
  • - also_unsupported_title: "We also do not support:" + also_unsupported_title: 'We also do not support:' unsupported_html: |
  • Subtraction for meals, lodging, moving expenses, other reimbursed business expenses, or compensation for injuries or sickness reported as wages on your W-2
  • Subtraction for alimony payments you made
  • @@ -2742,7 +2742,7 @@ en: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: "Other credits, deductions and resources not supported this year:" + other_credits_heading: 'Other credits, deductions and resources not supported this year:' other_credits_itemized_deductions: Itemized deductions real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2781,7 +2781,7 @@ en: fees: Fees may apply. learn_more_here_html: Learn more here. list: - body: "Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:" + body: 'Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:' list1: Confirm that the service lets you file just your state return. You might need to check with customer support. list2: Be ready to reenter info from your federal return, as it's needed for your state return. list3: When filing, only submit your state return. If you submit your federal return again, your federal return may be rejected. @@ -2960,7 +2960,7 @@ en: see_if_you_qualify: one: To see if you qualify, we need more information about you. other: To see if you qualify, we need more information about you and your household. - select_household_members: "Select the members of the household any of these situations applied to in %{tax_year}:" + select_household_members: 'Select the members of the household any of these situations applied to in %{tax_year}:' situation_incarceration: were incarcerated situation_snap: received food stamps / SNAP-EBT situation_undocumented: lived in the US undocumented @@ -2974,7 +2974,7 @@ en: why_are_you_asking_li1: Received food stamps why_are_you_asking_li2: Were incarcerated why_are_you_asking_li3: Lived in the U.S. undocumented - why_are_you_asking_p1: "Certain restrictions apply to this monthly credit. A person will not qualify for the months they:" + why_are_you_asking_p1: 'Certain restrictions apply to this monthly credit. A person will not qualify for the months they:' why_are_you_asking_p2: The credit amount is reduced for each month they experience any of these situations. why_are_you_asking_p3: The answers are only used to calculate the credit amount and will remain confidential. you_example_months: For example, if you had 2 situations in April, that counts as 1 month. @@ -3111,10 +3111,10 @@ en: county_html: "County" political_subdivision: Political Subdivision political_subdivision_helper_areas: - - "Counties: The 23 counties and Baltimore City." - - "Municipalities: Towns and cities within the counties." - - "Special taxing districts: Areas with specific tax rules for local services." - - "All other areas: Regions that do not have their own municipal government and are governed at the county level." + - 'Counties: The 23 counties and Baltimore City.' + - 'Municipalities: Towns and cities within the counties.' + - 'Special taxing districts: Areas with specific tax rules for local services.' + - 'All other areas: Regions that do not have their own municipal government and are governed at the county level.' political_subdivision_helper_first_p: 'A "political subdivision" is a specific area within Maryland that has its own local government. This includes:' political_subdivision_helper_heading: What is a political subdivision? political_subdivision_helper_last_p: Select the political subdivision where you lived on December 31, %{filing_year} to make sure your tax filing is correct. @@ -3139,15 +3139,15 @@ en: authorize_follow_up: If yes, the Comptroller’s Office will share your information and the email address on file with Maryland Health Connection. authorize_share_health_information: Do you authorize the Comptroller of Maryland to share information from this tax return with Maryland Health Connection for the purpose of determining pre-eligibility for no-cost or low-cost health care coverage? authorize_to_share_info: - - Name, SSN/ITIN, and date of birth of each individual identified on your return - - Your current mailing address, email address, and phone number - - Filing status reported on your return - - Total number of individuals in your household included in your return - - Insured/ uninsured status of each individual included in your return - - Blindness status - - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return - - Your federal adjusted gross income amount from Line 1 - following_will_be_shared: "If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):" + - Name, SSN/ITIN, and date of birth of each individual identified on your return + - Your current mailing address, email address, and phone number + - Filing status reported on your return + - Total number of individuals in your household included in your return + - Insured/ uninsured status of each individual included in your return + - Blindness status + - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return + - Your federal adjusted gross income amount from Line 1 + following_will_be_shared: 'If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):' information_use: Information shared with MHC will be used to determine eligibility for insurance affordability programs or to assist with enrollment in health coverage. more_info: If you would like more information about the health insurance affordability programs or health care coverage enrollment, visit Maryland Health Connection at marylandhealthconnection.gov/easyenrollment/. no_insurance_question: Did any member of your household included in this return not have health care coverage during the year? @@ -3192,7 +3192,7 @@ en: doc_1099r_label: 1099-R income_source_other: Other retirement income (for example, a Keogh Plan, also known as an HR-10) (less common) income_source_pension_annuity_endowment: A pension, annuity, or endowment from an "employee retirement system" (more common) - income_source_question: "Select the source of this income:" + income_source_question: 'Select the source of this income:' military_service_reveal_header: What military service qualifies? military_service_reveal_html: |

    To qualify, you must have been:

    @@ -3226,7 +3226,7 @@ en: service_type_military: Your service in the military or military death benefits received on behalf of a spouse or ex-spouse service_type_none: None of these apply service_type_public_safety: Your service as a public safety employee - service_type_question: "Did this income come from:" + service_type_question: 'Did this income come from:' subtitle: We need more information about this 1099-R to file your state tax return and check your eligibility for subtractions. taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3312,31 +3312,31 @@ en: title: It looks like your filing status is Qualifying Surviving Spouse nc_retirement_income_subtraction: edit: - bailey_description: "The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can't be taxed in North Carolina. These plans include:" + bailey_description: 'The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can''t be taxed in North Carolina. These plans include:' bailey_more_info_html: Visit the North Carolina Department of Revenue for more information. bailey_reveal_bullets: - - North Carolina Teachers’ and State Employees’ Retirement System - - North Carolina Local Governmental Employees’ Retirement System - - North Carolina Consolidated Judicial Retirement System - - Federal Employees’ Retirement System - - United States Civil Service Retirement System + - North Carolina Teachers’ and State Employees’ Retirement System + - North Carolina Local Governmental Employees’ Retirement System + - North Carolina Consolidated Judicial Retirement System + - Federal Employees’ Retirement System + - United States Civil Service Retirement System bailey_settlement_at_least_five_years: Did you or your spouse have at least five years of creditable service by August 12, 1989? bailey_settlement_checkboxes: Check all the boxes about the Bailey Settlement that apply to you or your spouse. bailey_settlement_from_retirement_plan: Did you or your spouse receive retirement benefits from NC's 401(k) or 457 plan, and were you contracted to OR contributed to the plan before August 12, 1989? doc_1099r_label: 1099-R income_source_bailey_settlement_html: Retirement benefits as part of Bailey Settlement - income_source_question: "Select the source of this income:" + income_source_question: 'Select the source of this income:' other: None of these apply subtitle: We need more information about this 1099-R to check your eligibility. - taxable_amount_label: "Taxable amount:" + taxable_amount_label: 'Taxable amount:' taxpayer_name_label: Taxpayer name title: You might be eligible for a North Carolina retirement income deduction! uniformed_services_bullets: - - The Armed Forces - - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) - - The commissioned corps of the United States Public Health Services (USPHS) + - The Armed Forces + - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) + - The commissioned corps of the United States Public Health Services (USPHS) uniformed_services_checkboxes: Check all the boxes about the Uniformed Services that apply to you or your spouse. - uniformed_services_description: "Uniformed Services are groups of people in military and related roles. These include:" + uniformed_services_description: 'Uniformed Services are groups of people in military and related roles. These include:' uniformed_services_html: Retirement benefits from the Uniformed Services uniformed_services_more_info_html: You can read more details about the uniformed services here. uniformed_services_qualifying_plan: Were these payments from a qualifying Survivor Benefit Plan to a beneficiary of a retired member who served at least 20 years or who was medically retired from the Uniformed Services? @@ -3371,7 +3371,7 @@ en: edit: calculated_use_tax: Enter calculated use tax explanation_html: If you made any purchases without paying sales tax, you may owe use tax on those purchases. We’ll help you figure out the right amount. - select_one: "Select one of the following:" + select_one: 'Select one of the following:' state_specific: nc: manual_instructions_html: (Learn more here and search for 'consumer use worksheet'). @@ -3382,7 +3382,7 @@ en: use_tax_method_automated: I did not keep a complete record of all purchases. Calculate the amount of use tax for me. use_tax_method_manual: I kept a complete record of all purchases and will calculate my use tax manually. what_are_sales_taxes: What are sales taxes? - what_are_sales_taxes_body: "Sales Tax: This is a tax collected at the point of sale when you buy goods within your state." + what_are_sales_taxes_body: 'Sales Tax: This is a tax collected at the point of sale when you buy goods within your state.' what_are_use_taxes: What are use taxes? what_are_use_taxes_body: If you buy something from another state (like online shopping or purchases from a store located in another state) and you don’t pay sales tax on it, you are generally required to pay use tax to your home state. nc_spouse_state_id: @@ -3406,10 +3406,10 @@ en: account_type: label: Bank Account Type after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: "Please provide your bank account details:" + bank_title: 'Please provide your bank account details:' confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" + date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' foreign_accounts_owed: International ACH payments are not allowed. foreign_accounts_refund: International ACH direct deposit refunds are not allowed. routing_number: Routing Number @@ -3449,7 +3449,7 @@ en: filer_pays_tuition_books: I (or my spouse, if I am filing jointly) pay for at least half of %{dependent_first}'s tuition and college costs. full_time_college_helper_description: '"Full time" is whatever the college considers to be full-time. This can be found on the 1098 T tuition statement.' full_time_college_helper_heading: What counts as "attending college full time"? - reminder: "Reminder: please check the relevant boxes below for each dependent, if any apply." + reminder: 'Reminder: please check the relevant boxes below for each dependent, if any apply.' subtitle_html: "

    You can only claim this for dependents listed on your return.

    \n

    Please check the relevant boxes below under each dependent, if any apply.

    \n

    We will then claim a $1,000 exemption for each dependent student who qualifies.

    \n" title: You may qualify for tax exemptions for any dependent under 22 who is attending college. tuition_books_helper_description_html: To calculate the total amount, add together the cost of college tuition, the cost of books (and supplies), and any money earned by the student in college work-study programs. Do not include other financial aid received. @@ -3465,7 +3465,7 @@ en: edit: continue: Click "Continue" if all these people had health insurance. coverage_heading: What is health insurance with minimum essential coverage? - label: "Check all the people that did NOT have health insurance:" + label: 'Check all the people that did NOT have health insurance:' title_html: Please tell us which dependents were missing health insurance (with minimum essential health coverage) in %{filing_year}. nj_disabled_exemption: edit: @@ -3477,7 +3477,7 @@ en: edit: helper_contents_html: "

    You are the qualifying child of another taxpayer for the New Jersey Earned Income Tax Credit (NJEITC) in %{filing_year} if all of these are true.

    \n
      \n
    1. You are that person's:\n
        \n
      • Child, stepchild, foster child, or a descendant of any of them, or
      • \n
      • Sibling, half sibling, step sibling, or a descendant of any of them
      • \n
      \n
    2. \n
    3. You were: \n
        \n
      • Under age 19 at the end of the year and younger than that person (or that person's spouse, if they filed jointly), or
      • \n
      • Under age 24 at the end of the year, a student, and younger than that person (or that person’s spouse, if they filed jointly), or
      • \n
      • Any age and had a permanent disability that prevented you from working and making money
      • \n
      \n
    4. \n
    5. You lived with that person in the United States for more than 6 months in %{filing_year}.
    6. \n
    7. You aren’t filing a joint return with your spouse for the year. Or you’re filing a joint return with your spouse only to get a refund of money you paid toward taxes.
    8. \n
    \n

    If all of these statements are true, you are the qualifying child of another taxpayer for NJEITC. This is the case even if they don’t claim the credit or don’t meet all of the rules to claim it.

    \n

    If only some of these statements are true, you are NOT the qualifying child of another taxpayer for NJEITC.

    " helper_heading: How do I know if I could be someone else’s qualifying child for NJEITC? - instructions: "Note: You might be able to get the state credit even if you didn’t qualify for the federal credit." + instructions: 'Note: You might be able to get the state credit even if you didn’t qualify for the federal credit.' primary_eitc_qualifying_child_question: In %{filing_year}, could you be someone else's qualifying child for the New Jersey Earned Income Tax Credit (NJEITC)? spouse_eitc_qualifying_child_question: In %{filing_year}, could your spouse be someone else’s qualifying child for the NJEITC? title: You may be eligible for the New Jersey Earned Income Tax Credit (NJEITC). @@ -3508,7 +3508,7 @@ en: - label: "Total:" + label: 'Total:' title: Please tell us if you already made any payments toward your %{filing_year} New Jersey taxes. nj_gubernatorial_elections: edit: @@ -3524,7 +3524,7 @@ en:
  • You made P.I.L.O.T. (Payments-In-Lieu-of-Tax) payments
  • Another reason applies
  • - helper_header: "Leave first box unchecked if:" + helper_header: 'Leave first box unchecked if:' homeowner_home_subject_to_property_taxes: I paid property taxes homeowner_main_home_multi_unit: My main home was a unit in a multi-unit property I owned homeowner_main_home_multi_unit_max_four_one_commercial: The property had two to four units and no more than one of those was a commercial unit @@ -3605,7 +3605,7 @@ en:
  • Expenses for which you were reimbursed through your health insurance plan.
  • do_not_claim: If you do not want to claim this deduction, click “Continue”. - label: "Enter total non-reimbursed medical expenses paid in %{filing_year}:" + label: 'Enter total non-reimbursed medical expenses paid in %{filing_year}:' learn_more_html: |-

    "Medical expenses" means non-reimbursed payments for costs such as:

      @@ -3633,18 +3633,18 @@ en: title: Confirm Your Identity (Optional) nj_retirement_income_source: edit: - doc_1099r_label: "1099-R:" + doc_1099r_label: '1099-R:' helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: "Select the source of this income:" + label: 'Select the source of this income:' option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: "Taxable Amount:" - taxpayer_name_label: "Taxpayer Name:" + taxable_amount_label: 'Taxable Amount:' + taxpayer_name_label: 'Taxpayer Name:' title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3673,13 +3673,13 @@ en: property_tax_paid: Property taxes paid in %{filing_year} rent_paid: Rent paid in %{filing_year} retirement_income_source: 1099-R Retirement Income - retirement_income_source_doc_1099r_label: "1099-R:" - retirement_income_source_label: "Source:" + retirement_income_source_doc_1099r_label: '1099-R:' + retirement_income_source_label: 'Source:' retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: "Taxable Amount:" - retirement_income_source_taxpayer_name_label: "Taxpayer Name:" + retirement_income_source_taxable_amount_label: 'Taxable Amount:' + retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' reveal: 15_wages_salaries_tips: Wages, salaries, tips 16a_interest_income: Interest income @@ -3711,7 +3711,7 @@ en: year_of_death: Year of spouse's passing nj_sales_use_tax: edit: - followup_radio_label: "Select one of the following:" + followup_radio_label: 'Select one of the following:' helper_description_html: "

      This applies to online purchases where sales or use tax was not applied. (Amazon and many other online retailers apply tax.)

      \n

      It also applies to items or services purchased out-of-state, in a state where there was no sales tax or the sales tax rate was below the NJ rate of 6.625%.

      \n

      (Review this page for more details.)

      \n" helper_heading: What kind of items or services does this apply to? manual_use_tax_label_html: "Enter total use tax" @@ -3868,7 +3868,7 @@ en: edit: calculated_use_tax: Enter calculated use tax. (Round to the nearest whole number.) enter_valid_dollar_amount: Please enter a dollar amount between 0 and 1699. - select_one: "Select one of the following:" + select_one: 'Select one of the following:' subtitle_html: This includes online purchases where sales or use tax was not applied. title: one: Did you make any out-of-state purchases in %{year} without paying sales or use tax? @@ -3906,7 +3906,7 @@ en: part_year: one: I lived in New York City for some of the year other: My spouse and I lived in New York City for some of the year, or we lived in New York City for different amounts of time. - title: "Select your New York City residency status during %{year}:" + title: 'Select your New York City residency status during %{year}:' pending_federal_return: edit: body_html: Sorry to keep you waiting.

      You’ll receive an email from IRS Direct File when your federal tax return is accepted with a link to bring you back here. Check your spam folder. @@ -3966,7 +3966,7 @@ en: download_voucher: Download and print the completed payment voucher. feedback: We value your feedback—let us know what you think of this service. include_payment: You'll need to include the payment voucher form. - mail_voucher_and_payment: "Mail the voucher form and payment to:" + mail_voucher_and_payment: 'Mail the voucher form and payment to:' md: refund_details_html: | You can check the status of your refund by visiting www.marylandtaxes.gov and clicking on "Where's my refund?" You can also call the automated refund inquiry hotline at 1-800-218-8160 (toll-free) or 410-260-7701. @@ -3989,7 +3989,7 @@ en: You'll need to enter your Social Security Number and the exact refund amount.

      You can also call the North Carolina Department of Revenue's toll-free refund inquiry line at 1-877-252-4052, available 24/7. - pay_by_mail_or_moneyorder: "If you are paying by mail via check or money order:" + pay_by_mail_or_moneyorder: 'If you are paying by mail via check or money order:' refund_details_html: 'Typical refund time frames are 7-8 weeks for e-Filed returns and 10-11 weeks for paper returns. There are some exceptions. For more information, please visit %{website_name} website: Where’s my Refund?' title: Your %{filing_year} %{state_name} state tax return is accepted additional_content: @@ -4016,8 +4016,8 @@ en: no_edit: body_html: Unfortunately, there has been an issue with filing your state return that cannot be resolved on our tool. We recommend you download your return to assist you in next steps. Chat with us or email us at help@fileyourstatetaxes.org for guidance on next steps. title: What can I do next? - reject_code: "Reject Code:" - reject_desc: "Reject Description:" + reject_code: 'Reject Code:' + reject_desc: 'Reject Description:' title: Unfortunately, your %{filing_year} %{state_name} state tax return was rejected review: county: County where you resided on December 31, %{filing_year} @@ -4037,7 +4037,7 @@ en: your_name: Your name review_header: income_details: Income Details - income_forms_collected: "Income form(s) collected:" + income_forms_collected: 'Income form(s) collected:' state_details_title: State Details your_refund: Your refund amount your_tax_owed: Your taxes owed @@ -4047,15 +4047,13 @@ en: term_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. term_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. term_4_html: "We are able to deliver messages to the following mobile phone carriers" - term_5: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." - term_6: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." + term_5: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' + term_6: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' term_7: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. - term_8_html: - 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. + term_8_html: 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. ' - term_9_html: - 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy + term_9_html: 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy ' title: Please review the FileYourStateTaxes text messaging terms and conditions @@ -4073,15 +4071,15 @@ en: nj_additional_content: body_html: You said you are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. body_mfj_html: You said you or your spouse are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. - header: "Attention: if you are claiming the veteran exemption for the first time" + header: 'Attention: if you are claiming the veteran exemption for the first time' tax_refund: bank_details: account_number: Account Number after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: "Please provide your bank details:" + bank_title: 'Please provide your bank details:' confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" + date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' foreign_accounts: Foreign accounts are not accepted routing_number: Routing Number withdraw_amount: How much do you authorize to be withdrawn from your account? (Your total amount due is: $%{owed_amount}.) @@ -4179,7 +4177,7 @@ en: apartment: Apartment/Unit Number box_10b_html: "Box 10b, State identification no." city: City - confirm_address_html: "Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form." + confirm_address_html: 'Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form.' confirm_address_no: No, I need to edit the address confirm_address_yes: Yes, that's the correct address dont_worry: If you have more than one 1099-G, don’t worry, you can add it on the next page. @@ -4214,7 +4212,7 @@ en: add_another: Add another 1099-G form delete_confirmation: Are you sure you want to delete this 1099-G? lets_review: Great! Thanks for sharing that information. Let’s review. - unemployment_compensation: "Unemployment compensation: %{amount}" + unemployment_compensation: 'Unemployment compensation: %{amount}' use_different_service: body: Before choosing an option, make sure it supports state-only tax filing. You most likely will need to reenter your federal tax return information in order to prepare your state tax return. Fees may apply. faq_link: Visit our FAQ @@ -4341,7 +4339,7 @@ en: cookies_3: We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Site to improve the way we promote our content and programs. cookies_4: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. cookies_header: Cookies - data_retention_1: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." + data_retention_1: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' data_retention_2: If you no longer wish to proceed with the FileYourStateTaxes application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. data_retention_header: Data Retention effective_date: This version of the policy is effective January 15, 2024. @@ -4350,7 +4348,7 @@ en: header_1_html: FileYourStateTaxes.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help households file their state taxes after using the federal IRS Direct File service. header_2_html: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. header_3_html: If you have any questions or concerns about this Privacy Notice, please contact us at help@fileyourstatetaxes.org - how_we_collect_your_info: "We collect your information from various sources, such as when you or your household members:" + how_we_collect_your_info: 'We collect your information from various sources, such as when you or your household members:' how_we_collect_your_info_header: How we collect your information how_we_collect_your_info_item_1: Visit our Site, fill out forms on our Site, or use our Services how_we_collect_your_info_item_2: Provide us with documents to use our Services @@ -4359,13 +4357,13 @@ en: independent_recourse_header: How to appeal a decision info_collect_1_html: We do not sell your personal information. We do not share your personal information with any third party, except as provided in this Privacy Policy, and consistent with 26 CFR 301.7216-2. Consistent with regulation, we may use or disclose your information in the following instances: info_collect_item_1: For analysis and reporting, we may share limited aggregate information with government agencies or other third parties, including the IRS or state departments of revenue, to analyze the use of our Services, in order to improve and expand our services. Such analysis is always performed using anonymized data, and data is never disclosed in cells smaller than ten returns. - info_collect_item_2: "For research to improve our tax filing products, including:" + info_collect_item_2: 'For research to improve our tax filing products, including:' info_collect_item_2_1: To invite you to complete questionnaires regarding your experience using our product. info_collect_item_2_2: To send you opportunities to participate in paid user research sessions, to learn more about your experience using our product and to guide the development of future free tax filing products. info_collect_item_3_html: To notify you of the availability of free tax filing services in the future. info_collect_item_4: If necessary, we may disclose your information to contractors who help us provide our services. We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. - info_collect_item_5: "Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request." - info_we_collect_1: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" + info_collect_item_5: 'Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request.' + info_we_collect_1: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' info_we_collect_header: Information we collect info_we_collect_item_1: Personal identifiers such as name, addresses, phone numbers, and email addresses info_we_collect_item_10: Household information and information about your spouse, if applicable @@ -4412,14 +4410,14 @@ en: body_1: When you opt-in to the service, we will send you an SMS message to confirm your signup. We will also text you updates on your tax return (message frequency will vary) and/or OTP/2FA codes (one message per request). body_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. body_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. - body_4: "We are able to deliver messages to the following mobile phone carriers:" + body_4: 'We are able to deliver messages to the following mobile phone carriers:' body_5a: As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider. body_5b_html: For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. body_6_html: 'If you have any questions regarding privacy, please read our privacy policy: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. header: FileYourStateTaxes text messaging terms and conditions - major_carriers: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." - minor_carriers: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." + major_carriers: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' + minor_carriers: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' state_information_service: az: department_of_taxation: Arizona Department of Revenue @@ -4530,7 +4528,7 @@ en: no_match_gyr: | Someone tried to sign in to GetYourRefund with this phone number, but we couldn't find a match. Did you sign up with a different phone number? You can also visit %{url} to get started. - with_code: "Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes." + with_code: 'Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes.' views: consent_pages: consent_to_disclose: @@ -4607,8 +4605,8 @@ en: contact_ta: Contact a Taxpayer Advocate contact_vita: Contact a VITA Site content_html: - - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. - - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. + - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. + - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. title: Unfortunately, you can’t use GetCTC because you already filed a %{current_tax_year} tax return. portal: bank_account: @@ -4639,7 +4637,7 @@ en: title: Edit your address messages: new: - body_label: "Enter your message below:" + body_label: 'Enter your message below:' title: Contact us wait_time: Please allow 3 business days for a response. primary_filer: @@ -4666,7 +4664,7 @@ en: i_dont_have_id: I don't have an ID id: Your driver's license or state ID card id_label: Photo of your ID - info: "To protect your identity and verify your information, we'll need you to submit the following two photos:" + info: 'To protect your identity and verify your information, we''ll need you to submit the following two photos:' paper_file: download_link_text: Download 1040 go_back: Submit my ID instead @@ -4700,8 +4698,8 @@ en: title: Did you receive any Advance Child Tax Credit payments from the IRS in 2021? question: Did you receive this amount? title: Did you receive a total of $%{adv_ctc_estimate} in Advance Child Tax Credit payments in 2021? - total_adv_ctc: "We estimate that you should have received:" - total_adv_ctc_details_html: "for the following dependents:" + total_adv_ctc: 'We estimate that you should have received:' + total_adv_ctc_details_html: 'for the following dependents:' yes_received: I received this amount advance_ctc_amount: details_html: | @@ -4720,15 +4718,15 @@ en: correct: Correct the amount I received no_file: I don’t need to file a return content: - - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. - - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. + - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. + - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. title: You have no more Child Tax Credit to claim. advance_ctc_received: already_received: Amount you received ctc_owed_details: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. - ctc_owed_title: "You are eligible for an additional:" + ctc_owed_title: 'You are eligible for an additional:' title: Ok, we calculated your Child Tax Credit. - total_adv_ctc: "Total Advance CTC: %{amount}" + total_adv_ctc: 'Total Advance CTC: %{amount}' already_completed: content_html: |

      You've completed all of our intake questions and we're reviewing and submitting your tax return.

      @@ -4745,17 +4743,17 @@ en:

      If you received a notice from the IRS this year about your return (Letter 5071C, Letter 6331C, or Letter 12C), then you already filed a federal return with the IRS this year.

      Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.

      reveal: - content_title: "If you received any of the letters listed here, you’ve already filed:" + content_title: 'If you received any of the letters listed here, you’ve already filed:' list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: I received a different letter from the IRS. Does that mean I already filed? title: Did you file a %{current_tax_year} federal tax return with the IRS this year? title: Did you file a %{current_tax_year} tax return this year? @@ -4778,9 +4776,9 @@ en: help_text: The Earned Income Tax Credit (EITC) is a tax credit that can give you up to $6,700. info_box: list: - - You had a job earning money in %{current_tax_year} - - Each person on this return has an SSN - title: "Requirements:" + - You had a job earning money in %{current_tax_year} + - Each person on this return has an SSN + title: 'Requirements:' title: Would you like to claim more money by sharing any 2021 W-2 forms? confirm_bank_account: bank_information: Your bank information @@ -4815,15 +4813,15 @@ en: confirm_payment: client_not_collecting: You are not collecting any payments, please edit your tax return. ctc_0_due_link: Claim children for CTC - ctc_due: "Child Tax Credit payments:" + ctc_due: 'Child Tax Credit payments:' do_not_file: Do not file do_not_file_flash_message: Thank you for using GetCTC! We will not file your return. - eitc: "Earned Income Tax Credit:" - fed_income_tax_withholding: "Federal Income Tax Withholding:" + eitc: 'Earned Income Tax Credit:' + fed_income_tax_withholding: 'Federal Income Tax Withholding:' subtitle: You’re almost done! Please confirm your refund information. - third_stimulus: "Third Stimulus Payment:" - title: "Review this list of the payments you are claiming:" - total: "Total refund amount:" + third_stimulus: 'Third Stimulus Payment:' + title: 'Review this list of the payments you are claiming:' + total: 'Total refund amount:' confirm_primary_prior_year_agi: primary_prior_year_agi: Your %{prior_tax_year} AGI confirm_spouse_prior_year_agi: @@ -4831,7 +4829,7 @@ en: contact_preference: body: We’ll send a code to verify your contact information so that we can send updates on your return. Please select the option that works best! email: Email me - sms_policy: "Note: Standard SMS message rates apply. We will not share your information with any outside parties." + sms_policy: 'Note: Standard SMS message rates apply. We will not share your information with any outside parties.' text: Text me title: What is the best way to reach you? dependents: @@ -4841,8 +4839,8 @@ en: child_claim_anyway: help_text: list: - - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. - - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. + - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. + - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. p1: If you and the other person who could claim the dependent are both their legal parents... p2: If you are %{name}’s legal parent and the other person who could claim them is not, then you can claim them. legal_parent_reveal: @@ -4863,7 +4861,7 @@ en: info: A doctor determines that you have a permanent disability when you are unable to do a majority of your work because of a physical or mental condition. title: What is the definition of permanently and totally disabled? full_time_student: "%{name} was a full-time student" - help_text: "Select any situations that were true in %{current_tax_year}:" + help_text: 'Select any situations that were true in %{current_tax_year}:' permanently_totally_disabled: "%{name} was permanently and totally disabled" student_reveal: info_html: | @@ -4876,10 +4874,10 @@ en: reveal: body: If your dependent was at a temporary location in 2021, select the number of months that your home was their official address. list: - - school - - medical facility - - a juvenile facility - list_title: "Some examples of temporary locations:" + - school + - medical facility + - a juvenile facility + list_title: 'Some examples of temporary locations:' title: What if my dependent was away for some time in 2021? select_options: eight: 8 months @@ -4897,31 +4895,31 @@ en: does_my_child_qualify_reveal: content: list_1: - - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. + - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. list_2: - - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' + - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' p1: Who counts as a foster child? p2: What if I have an adopted child? title: Does my child qualify? does_not_qualify_ctc: conditions: - - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. - - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. - - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. - - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. + - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. + - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. + - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. + - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. help_text: We will not save %{name} to your tax return. They do not qualify for any tax credits. puerto_rico: affirmative: Yes, add another child conditions: - - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. - - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. - - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. - - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. - - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. + - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. + - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. + - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. + - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. + - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. help_text: We will not save %{name} to your tax return. They do not qualify for Child Tax Credit payments. negative: No, continue title: You can not claim Child Tax Credit for %{name}. Would you like to add anyone else? @@ -4934,7 +4932,7 @@ en: last_name: Legal last name middle_initial: Legal middle name(s) (optional) relationship_to_you: What is their relationship to you? - situations: "Select if the following is true:" + situations: 'Select if the following is true:' suffix: Suffix (optional) title: Let’s get their basic information! relative_financial_support: @@ -4946,7 +4944,7 @@ en: gross_income_reveal: content: "“Gross income” generally includes all income received during the year, including both earned and unearned income. Examples include wages, cash from your own business or side job, unemployment income, or Social Security income." title: What is gross income? - help_text: "Select any situations that were true in %{current_tax_year}:" + help_text: 'Select any situations that were true in %{current_tax_year}:' income_requirement: "%{name} earned less than $4,300 in gross income." title: We just need to verify a few more things. remove_dependent: @@ -5001,7 +4999,7 @@ en: info: A qualified homeless youth is someone who is homeless or at risk of homelessness, who supports themselves financially. You must be between 18-24 years old and can not be under physical custody of a parent or guardian. title: Am I a qualified homeless youth? not_full_time_student: I was not a full time student - title: "Select any of the situations that were true in %{current_tax_year}:" + title: 'Select any of the situations that were true in %{current_tax_year}:' email_address: title: Please share your email address. file_full_return: @@ -5010,14 +5008,14 @@ en: help_text2: If you file a full tax return you could receive additional cash benefits from the Earned Income Tax Credit, state tax credits, and more. help_text_eitc: If you have income that is reported on a 1099-NEC or a 1099-K you should file a full tax return instead. list_1_eitc: - - Child Tax Credit - - 3rd Stimulus Check - - Earned Income Tax Credit - list_1_eitc_title: "You can file a simplified tax return to claim the:" + - Child Tax Credit + - 3rd Stimulus Check + - Earned Income Tax Credit + list_1_eitc_title: 'You can file a simplified tax return to claim the:' list_2_eitc: - - Stimulus check 1 or 2 - - State tax credits or stimulus payments - list_2_eitc_title: "You cannot use this tool to claim:" + - Stimulus check 1 or 2 + - State tax credits or stimulus payments + list_2_eitc_title: 'You cannot use this tool to claim:' puerto_rico: full_btn: File a Puerto Rico tax return help_text: This is not a Puerto Rico return with Departamento de Hacienda. If you want to claim additional benefits (like the Earned Income Tax Credit, any of the stimulus payments, or other Puerto Rico credits) you will need to file a separate Puerto Rico Tax Return with Hacienda. @@ -5025,9 +5023,9 @@ en: title: You are currently filing a simplified tax return to claim only your Child Tax Credit. reveal: body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How can I get the first two stimulus payments? simplified_btn: Continue filing a simplified return title: You are currently filing a simplified tax return to claim only your Child Tax Credit and third stimulus payment. @@ -5040,7 +5038,7 @@ en: puerto_rico: did_not_file: No, I didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, I filed an IRS tax return - note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." + note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' title: Did you file a %{prior_tax_year} federal tax return with the IRS? title: Did you file a %{prior_tax_year} tax return? filing_status: @@ -5061,54 +5059,54 @@ en: title: To claim your Child Tax Credit, you must add your dependents (children or others who you financially support) which_relationships_qualify_reveal: content: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Parent - - Step Parent - - Grandparent - - Aunt - - Uncle - - In Laws - - Other descendants of my siblings - - Other relationship not listed + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Parent + - Step Parent + - Grandparent + - Aunt + - Uncle + - In Laws + - Other descendants of my siblings + - Other relationship not listed content_puerto_rico: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Other descendants of my siblings + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Other descendants of my siblings title: Which relationships qualify? head_of_household: claim_hoh: Claim HoH status do_not_claim_hoh: Do not claim HoH status eligibility_b_criteria_list: - - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse - - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses - - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses + - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse + - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses + - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses eligibility_list_a: a. You are not married - eligibility_list_b: "b. You have one or more of the following:" + eligibility_list_b: 'b. You have one or more of the following:' eligibility_list_c_html: "c. You pay at least half the cost of keeping up the home where this dependent lives — costs including property taxes, mortgage interest, rent, utilities, upkeep/repairs, and food consumed." full_list_of_rules_html: The full list of Head of Household rules is available here. If you choose to claim Head of Household status, you understand that you are responsible for reviewing these rules and ensuring that you are eligible. subtitle_1: Because you are claiming dependents, you may be eligible to claim Head of Household tax status on your return. Claiming Head of Household status will not increase your refund, and will not make you eligible for any additional tax benefits. We do not recommend you claim Head of Household status. - subtitle_2: "You are likely eligible for Head of Household status if:" + subtitle_2: 'You are likely eligible for Head of Household status if:' title: Claiming Head of Household status will not increase your refund. income: income_source_reveal: @@ -5116,49 +5114,49 @@ en: title: How do I know the source of my income? list: one: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason other: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason mainland_connection_reveal: content: If your family and your belongings are located in any of the 50 states or in a foreign country rather than Puerto Rico, or your community engagements are stronger in the 50 states or in a foreign country than they are in Puerto Rico, then you can’t use GetCTC as a Puerto Rican resident. title: What does it mean to have a closer connection to the mainland U.S. than to Puerto Rico? puerto_rico: list: one: - - you earned less than %{standard_deduction} in total income - - you earned less than $400 in self-employment income - - you are not required to file a full tax return for any other reason - - all of your earned income came from sources within Puerto Rico - - you lived in Puerto Rico for at least half the year (183 days) - - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you earned less than %{standard_deduction} in total income + - you earned less than $400 in self-employment income + - you are not required to file a full tax return for any other reason + - all of your earned income came from sources within Puerto Rico + - you lived in Puerto Rico for at least half the year (183 days) + - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else other: - - you and your spouse earned less than %{standard_deduction} in total income - - you and your spouse earned less than $400 in self-employment income - - you and your spouse are not required to file a full tax return for any other reason - - all of your and your spouse's earned income came from sources within Puerto Rico - - you and your spouse lived in Puerto Rico for at least half the year (183 days) - - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you and your spouse earned less than %{standard_deduction} in total income + - you and your spouse earned less than $400 in self-employment income + - you and your spouse are not required to file a full tax return for any other reason + - all of your and your spouse's earned income came from sources within Puerto Rico + - you and your spouse lived in Puerto Rico for at least half the year (183 days) + - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else self_employment_income_reveal: content: list_1: - - 1099 contract work - - gig work - - driving for Uber, Lyft, or similar - - renting out your home + - 1099 contract work + - gig work + - driving for Uber, Lyft, or similar + - renting out your home p1: Self-employment income is generally any money that you made from your own business, or in some cases working part time for an employer. Self-employment income is reported to you on a 1099 rather than a W-2. - p2: "If your employer calls you a 'contractor' rather than an 'employee,' your income from that job is probably self-employment income. Self-employment income could include:" + p2: 'If your employer calls you a ''contractor'' rather than an ''employee,'' your income from that job is probably self-employment income. Self-employment income could include:' title: What counts as self-employment income? title: - one: "You can only use GetCTC if, in %{current_tax_year}, you:" - other: "You can only use GetCTC if, in %{current_tax_year}, you and your spouse:" + one: 'You can only use GetCTC if, in %{current_tax_year}, you:' + other: 'You can only use GetCTC if, in %{current_tax_year}, you and your spouse:' what_is_aptc_reveal: content: p1: The Advance Premium Tax Credit is a subsidy some households get for their health insurance coverage. @@ -5167,13 +5165,13 @@ en: title: What is the Advance Premium Tax Credit? income_qualifier: list: - - salary - - hourly wages - - dividends and interest - - tips - - commissions - - self-employment or contract payments - subtitle: "Income could come from any of the following sources:" + - salary + - hourly wages + - dividends and interest + - tips + - commissions + - self-employment or contract payments + subtitle: 'Income could come from any of the following sources:' title: one: Did you make less than %{standard_deduction} in %{current_tax_year}? other: Did you and your spouse make less than %{standard_deduction} in %{current_tax_year}? @@ -5196,7 +5194,7 @@ en:

      The IRS issues you a new IP PIN every year, and you must provide this year's PIN.

      Click here to retrieve your IP PIN from the IRS.

      irs_language_preference: - select_language: "Please select your preferred language:" + select_language: 'Please select your preferred language:' subtitle: The IRS may reach out with questions. You have the option to select a preferred language. title: What language do you want the IRS to use when they contact you? legal_consent: @@ -5257,8 +5255,8 @@ en: add_dependents: Add more dependents puerto_rico: subtitle: - - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. - - If this is a mistake you can click ‘Add a child’. + - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. + - If this is a mistake you can click ‘Add a child’. title: You will not receive the Child Tax Credit. subtitle: Based on your current answers you will not receive the Child Tax Credit, because you have no eligible dependents. title: You will not receive the Child Tax Credit, but you may continue to collect other cash payments. @@ -5268,11 +5266,11 @@ en: non_w2_income: additional_income: list: - - contractor income - - interest income - - unemployment income - - any other money you received - list_title: "Additional income includes:" + - contractor income + - interest income + - unemployment income + - any other money you received + list_title: 'Additional income includes:' title: one: Did you make more than %{additional_income_amount} in additional income? other: Did you and your spouse make more than %{additional_income_amount} in additional income? @@ -5281,7 +5279,7 @@ en: faq: Visit our FAQ home: Go to the homepage content: - - We will not send any of your information to the IRS. + - We will not send any of your information to the IRS. title: You’ve decided to not file a tax return. overview: help_text: Use our simple e-filing tool to receive your Child Tax Credit and, if applicable, your third stimulus payment. @@ -5306,13 +5304,13 @@ en: restrictions: cannot_use_ctc: I can't use GetCTC list: - - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then - - you have income in tips from a service job that was not reported to your employer - - you want to file Form 8332 in order to claim a child who does not live with you - - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS - - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} - - you bought or sold cryptocurrency in %{current_tax_year} - list_title: "You can not use GetCTC if:" + - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then + - you have income in tips from a service job that was not reported to your employer + - you want to file Form 8332 in order to claim a child who does not live with you + - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS + - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} + - you bought or sold cryptocurrency in %{current_tax_year} + list_title: 'You can not use GetCTC if:' multiple_support_agreement_reveal: content: p1: A multiple support agreement is a formal arrangement you make with family or friends to jointly care for a child or relative. @@ -5346,7 +5344,7 @@ en: did_not_file: No, %{spouse_first_name} didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, %{spouse_first_name} filed an IRS tax return separately from me filed_together: Yes, %{spouse_first_name} filed an IRS tax return jointly with me - note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." + note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' title: Did %{spouse_first_name} file a %{prior_tax_year} federal tax return with the IRS? title: Did %{spouse_first_name} file a %{prior_tax_year} tax return? spouse_info: @@ -5373,15 +5371,15 @@ en: title: What was %{spouse_first_name}’s %{prior_tax_year} Adjusted Gross Income? spouse_review: help_text: We have added the following person as your spouse on your return. - spouse_birthday: "Date of birth: %{dob}" - spouse_ssn: "SSN: XXX-XX-%{ssn}" + spouse_birthday: 'Date of birth: %{dob}' + spouse_ssn: 'SSN: XXX-XX-%{ssn}' title: Let's confirm your spouse's information. your_spouse: Your spouse stimulus_owed: amount_received: Amount you received correction: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. eip_three: Third stimulus - eligible_for: "You are claiming an additional:" + eligible_for: 'You are claiming an additional:' title: It looks like you are still owed some of the third stimulus payment. stimulus_payments: different_amount: I received a different amount @@ -5389,15 +5387,15 @@ en: question: Did you receive this amount? reveal: content_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How do I get the first two stimulus payments? third_stimulus: We estimate that you should have received third_stimulus_details: - - based on your filing status and dependents. - - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. - - For example, a parent caring for two children would have received $4,200. + - based on your filing status and dependents. + - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. + - For example, a parent caring for two children would have received $4,200. this_amount: I received this amount title: Did you receive a total of %{third_stimulus_amount} for your third stimulus payment? stimulus_received: @@ -5415,39 +5413,39 @@ en: use_gyr: file_gyr: File with GetYourRefund puerto_rico: - address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069." - in_person: "In-person:" + address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069.' + in_person: 'In-person:' online_html: 'Online filing: https://myfreetaxes.com/' - pr_number: "Puerto Rico Helpline: 877-722-9832" - still_file: "You may still be able to file to claim your benefits. For additional help, consider reaching out to:" - virtual: "Virtual: MyFreeTaxes" + pr_number: 'Puerto Rico Helpline: 877-722-9832' + still_file: 'You may still be able to file to claim your benefits. For additional help, consider reaching out to:' + virtual: 'Virtual: MyFreeTaxes' why_ineligible_reveal: content: list: - - You earned more than $400 in self-employment income - - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country - - You did not live in Puerto Rico for more than half of %{current_tax_year} - - You moved in or out of Puerto Rico during %{current_tax_year} - - You can be claimed as a dependent by someone else - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + - You earned more than $400 in self-employment income + - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country + - You did not live in Puerto Rico for more than half of %{current_tax_year} + - You moved in or out of Puerto Rico during %{current_tax_year} + - You can be claimed as a dependent by someone else + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. still_benefit: You could still benefit by filing a full tax return for free using GetYourRefund. title: Unfortunately, you are not eligible to use GetCTC. visit_our_faq: Visit our FAQ why_ineligible_reveal: content: list: - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You earned more than $400 in self-employment income - - You can be claimed as a dependent - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. - p: "Some reasons you might be ineligible to use GetCTC are:" + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You earned more than $400 in self-employment income + - You can be claimed as a dependent + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + p: 'Some reasons you might be ineligible to use GetCTC are:' title: Why am I ineligible? verification: - body: "A message with your code has been sent to:" + body: 'A message with your code has been sent to:' error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -5459,20 +5457,20 @@ en: done_adding: Finished adding all W-2s dont_add_w2: I don't want to add my W-2 employee_info: - employee_city: "Box e: City" - employee_legal_name: "Select the legal name on the W2:" - employee_state: "Box e: State" - employee_street_address: "Box e: Employee street address or P.O. box" - employee_zip_code: "Box e: Zip code" + employee_city: 'Box e: City' + employee_legal_name: 'Select the legal name on the W2:' + employee_state: 'Box e: State' + employee_street_address: 'Box e: Employee street address or P.O. box' + employee_zip_code: 'Box e: Zip code' title: one: Let’s start by entering some basic info for %{name}. other: Let’s start by entering some basic info. employer_info: add: Add W-2 - box_d_control_number: "Box d: Control number" + box_d_control_number: 'Box d: Control number' employer_city: City - employer_ein: "Box b: Employer Identification Number (EIN)" - employer_name: "Box c: Employer Name" + employer_ein: 'Box b: Employer Identification Number (EIN)' + employer_name: 'Box c: Employer Name' employer_state: State employer_street_address: Employer street address or P.O. box employer_zip_code: Zip code @@ -5483,31 +5481,31 @@ en: other: A W-2 is an official tax form given to you by your employer. Enter all of you and your spouse’s W-2s to get the Earned Income Tax Credit and avoid delays. p2: The form you enter must have W-2 printed on top or it will not be accepted. misc_info: - box11_nonqualified_plans: "Box 11: Nonqualified plans" + box11_nonqualified_plans: 'Box 11: Nonqualified plans' box12_error: Must provide both code and value box12_value_error: Value must be numeric - box12a: "Box 12a:" - box12b: "Box 12b:" - box12c: "Box 12c:" - box12d: "Box 12d:" - box13: "Box 13: If marked on your W-2, select the matching option below" + box12a: 'Box 12a:' + box12b: 'Box 12b:' + box12c: 'Box 12c:' + box12d: 'Box 12d:' + box13: 'Box 13: If marked on your W-2, select the matching option below' box13_retirement_plan: Retirement plan box13_statutory_employee: Statutory employee box13_third_party_sick_pay: Third-party sick pay box14_error: Must provide both description and amount - box14_other: "Box 14: Other" + box14_other: 'Box 14: Other' box15_error: Must provide both state and employer's state ID number - box15_state: "Box 15: State and Employer’s State ID number" - box16_state_wages: "Box 16: State wages, tips, etc." - box17_state_income_tax: "Box 17: State income tax" - box18_local_wages: "Box 18: Local wages, tips, etc." - box19_local_income_tax: "Box 19: Local income tax" - box20_locality_name: "Box 20: Locality name" + box15_state: 'Box 15: State and Employer’s State ID number' + box16_state_wages: 'Box 16: State wages, tips, etc.' + box17_state_income_tax: 'Box 17: State income tax' + box18_local_wages: 'Box 18: Local wages, tips, etc.' + box19_local_income_tax: 'Box 19: Local income tax' + box20_locality_name: 'Box 20: Locality name' remove_this_w2: Remove this W-2 - requirement_title: "Requirement:" + requirement_title: 'Requirement:' requirements: - - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. - - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. + - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. + - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. submit: Save this W-2 title: Let’s finish entering %{name}’s W-2 information. note_html: "Note: If you do not add a W-2 you will not receive the Earned Income Tax Credit. However, you can still claim the other credits if available to you." @@ -5523,19 +5521,19 @@ en: title: Please share the income from your W-2. wages: Wages wages_info: - box10_dependent_care_benefits: "Box 10: Dependent care benefits" - box3_social_security_wages: "Box 3: Social Security wages" - box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" - box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" - box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" - box7_social_security_tips_amount: "Box 7: Social Security tips amount" - box8_allocated_tips: "Box 8: Allocated tips" - federal_income_tax_withheld: "Box 2: Federal Income Tax Withheld" + box10_dependent_care_benefits: 'Box 10: Dependent care benefits' + box3_social_security_wages: 'Box 3: Social Security wages' + box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' + box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' + box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' + box7_social_security_tips_amount: 'Box 7: Social Security tips amount' + box8_allocated_tips: 'Box 8: Allocated tips' + federal_income_tax_withheld: 'Box 2: Federal Income Tax Withheld' info_box: requirement_description_html: Please enter the information exactly as it appears on your W-2. If there are blank boxes on your W-2, please leave them blank in the boxes below as well. - requirement_title: "Requirement:" + requirement_title: 'Requirement:' title: Great! Please enter all of %{name}’s wages, tips, and taxes withheld from this W-2. - wages_amount: "Box 1: Wages Amount" + wages_amount: 'Box 1: Wages Amount' shared: ssn_not_valid_for_employment: This person's SSN card has "Not valid for employment" printed on it. (This is rare) ctc_pages: @@ -5543,21 +5541,21 @@ en: compare_benefits: ctc: list: - - Federal stimulus payments - - Child Tax Credit + - Federal stimulus payments + - Child Tax Credit note_html: If you file with GetCTC, you can file an amended return later to claim the additional credits you would have received by filing with GetYourRefund. This process can be quite difficult, and you would likely need assistance from a tax professional. - p1_html: "A household with 1 child under the age of 6 may receive an average of: $7,500" - p2_html: "A household with no children may receive an average of: $3,200" + p1_html: 'A household with 1 child under the age of 6 may receive an average of: $7,500' + p2_html: 'A household with no children may receive an average of: $3,200' gyr: list: - - Federal stimulus payments - - Child Tax Credit - - Earned Income Tax Credit - - California Earned Income Tax Credit - - Golden State Stimulus payments - - California Young Child Tax Credit - p1_html: "A household with 1 child under the age of 6 may receive an average of: $12,200" - p2_html: "A household with no children may receive an average of: $4,300" + - Federal stimulus payments + - Child Tax Credit + - Earned Income Tax Credit + - California Earned Income Tax Credit + - Golden State Stimulus payments + - California Young Child Tax Credit + p1_html: 'A household with 1 child under the age of 6 may receive an average of: $12,200' + p2_html: 'A household with no children may receive an average of: $4,300' title: Compare benefits compare_length: ctc: 30 minutes @@ -5566,12 +5564,12 @@ en: compare_required_info: ctc: list: - - Social Security or ITIN Numbers + - Social Security or ITIN Numbers gyr: list: - - Employment documents - - "(W2’s, 1099’s, etc.)" - - Social Security or ITIN Numbers + - Employment documents + - "(W2’s, 1099’s, etc.)" + - Social Security or ITIN Numbers helper_text: Documents are required for each family member on your tax return. title: Compare required information ctc: GetCTC @@ -5717,58 +5715,58 @@ en: title: GetCTC Outreach and Navigator Resources privacy_policy: 01_intro: - - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. - - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. + - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. + - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. 02_questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} 03_overview: Overview 04_info_we_collect: Information we collect - 05_info_we_collect_details: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" + 05_info_we_collect_details: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' 06_info_we_collect_list: - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Characteristics of protected classifications, such as gender, race, and ethnicity - - Tax information, such as social security number or individual taxpayer identification number (ITIN) - - State-issued identification, such as driver’s license number - - Financial information, such as employment, income and income sources - - Banking details for direct deposit of refunds - - Details of dependents - - Household information and information about your spouse, if applicable - - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Characteristics of protected classifications, such as gender, race, and ethnicity + - Tax information, such as social security number or individual taxpayer identification number (ITIN) + - State-issued identification, such as driver’s license number + - Financial information, such as employment, income and income sources + - Banking details for direct deposit of refunds + - Details of dependents + - Household information and information about your spouse, if applicable + - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) 07_info_required_by_irs: We collect information as required by the IRS in Revenue Procedure “Rev RP-21-24.” - "08_how_we_collect": How we collect your information - "09_various_sources": We collect your information from various sources, such as when you or your household members + '08_how_we_collect': How we collect your information + '09_various_sources': We collect your information from various sources, such as when you or your household members 10_various_sources_list: - - Visit our Site, fill out forms on our Site, or use our Services - - Provide us with documents to use our Services - - Communicate with us (for instance through email, chat, social media, or otherwise) + - Visit our Site, fill out forms on our Site, or use our Services + - Provide us with documents to use our Services + - Communicate with us (for instance through email, chat, social media, or otherwise) 11_third_parties: We may also collect your information from third-parties such as 12_third_parties_list: - - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for - - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services + - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for + - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services 13_using_information: Using information we have collected 14_using_information_details: We use your information for our business purposes and legitimate interests such as 14_using_information_list: - - To help connect you with the free tax preparation services or any other benefit programs that you apply for - - To complete forms required for use of the Services or filing of your taxes - - To provide support to you through the process and communicate with you - - To monitor and understand how the Site and our Services are used - - To improve the quality or scope of the Site or our Services - - To suggest other services or assistance programs that may be useful to you - - For fraud detection, prevention, and security purposes - - To comply with legal requirements and obligations - - For research + - To help connect you with the free tax preparation services or any other benefit programs that you apply for + - To complete forms required for use of the Services or filing of your taxes + - To provide support to you through the process and communicate with you + - To monitor and understand how the Site and our Services are used + - To improve the quality or scope of the Site or our Services + - To suggest other services or assistance programs that may be useful to you + - For fraud detection, prevention, and security purposes + - To comply with legal requirements and obligations + - For research 15_information_shared_with_others: Information shared with others 16_we_dont_sell: We do not sell your personal information. 17_disclose_to_others_details: We do not share personal information to any third party, except as provided in this Privacy Policy. We may disclose information to contractors, affiliated organizations, and/or unaffiliated third parties to provide the Services to you, to conduct our business, or to help with our business activities. For example, we may share your information with 18_disclose_to_others_list_html: - - VITA providers to help prepare and submit your tax returns - - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments - - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates - - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. + - VITA providers to help prepare and submit your tax returns + - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments + - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates + - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. 19_require_third_parties: We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. 20_may_share_third_parties: We may share your information with third parties in special situations, such as when required by law, or we believe sharing will help to protect the safety, property, or rights of Code for America, the people we serve, our associates, or other persons. 21_may_share_government: We may share limited, aggregated, or personal information with government agencies, such as the IRS, to analyze the use of our Services, free tax preparation service providers, and the Child Tax Credit in order to improve and expand our Services. We will not share any information with the IRS that has not already been disclosed on your tax return or through the GetCTC website. @@ -5777,15 +5775,15 @@ en: 24_your_choices_contact_methods: Postal mail, email, and promotions 25_to_update_prefs: To update your preferences or contact information, you may 26_to_update_prefs_list_html: - - contact us at %{email_link} and request removal from the GetCTC update emails - - follow the opt-out instructions provided in emails or postal mail - - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America + - contact us at %{email_link} and request removal from the GetCTC update emails + - follow the opt-out instructions provided in emails or postal mail + - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America 27_unsubscribe_note: Please note that even if you unsubscribe from promotional email offers and updates, we may still contact you for transactional purposes. For example, we may send communications regarding your tax return status, reminders, or to alert you of additional information needed. 28_cookies: Cookies 29_cookies_details: Cookies are small text files that websites place on the computers and mobile devices of people who visit those websites. Pixel tags (also called web beacons) are small blocks of code placed on websites and emails. 30_cookies_list: - - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. - - Your use of our Sites indicates your consent to such use of Cookies. + - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. + - Your use of our Sites indicates your consent to such use of Cookies. 31_cookies_default: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. 32_sms: Transactional SMS (Text) Messages 33_sms_details_html: You may unsubscribe to transactional messages by texting STOP to 58750 at any time. After we receive your opt-out request, we will send you a final text message to confirm your opt-out. Please see GetYourRefund's SMS terms, for additional details and opt-out instructions for these services. Data obtained through the short code program will not be shared with any third-parties for their marketing reasons/purposes. @@ -5795,44 +5793,44 @@ en: 37_additional_services_details: We may provide additional links to resources we think you'll find useful. These links may lead you to sites that are not affiliated with us and/or may operate under different privacy practices. We are not responsible for the content or privacy practices of such other sites. We encourage our visitors and users to be aware when they leave our site and to read the privacy statements of any other site as we do not control how other sites collect personal information 38_how_we_protect: How we protect your information 39_how_we_protect_list: - - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. - - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. + - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. + - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. 40_retention: Data Retention 41_retention_list: - - "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." - - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. + - 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' + - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. 42_children: Children’s privacy 43_children_details: We do not knowingly collect personal information from unemancipated minors under 16 years of age. 44_changes: Changes 45_changes_summary: We may change this Privacy Policy from time to time. Please check this page frequently for updates as your continued use of our Services after any changes in this Privacy Policy will constitute your acceptance of the changes. For material changes, we will notify you via email, or other means consistent with applicable law. 46_access_request: Your Rights 47_access_request_list_html: - - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. - - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. + - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. + - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. 47_effective_date: Effective Date 48_effective_date_info: This version of the policy is effective October 22, 2021. 49_questions: Questions 50_questions_list_html: - - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. - - "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" + - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. + - 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' 51_do_our_best: We will do our best to resolve the issue. puerto_rico: hero: - - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. - - This form usually takes about 15 minutes to complete, and you won't need any tax documents. + - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. + - This form usually takes about 15 minutes to complete, and you won't need any tax documents. title: Puerto Rico, you can get Child Tax Credit for your family! what_is: body: - - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. - - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! + - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. + - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! heading: Most families in Puerto Rico can get thousands of dollars from the Child Tax Credit by filing with the IRS! how_much_reveal: body: - - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. + - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. title: How much will I get? qualify_reveal: body: - - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. + - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. title: Do my children qualify? puerto_rico_overview: cta: You are about to file a tax return. You are responsible for answering questions truthfully and accurately to the best of your ability. @@ -5881,8 +5879,8 @@ en: heading_open: Most families can get thousands of dollars from the third stimulus payment reveals: first_two_body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. first_two_title: What about the first two stimulus payments? how_much_ctc_body: The third stimulus payment was usually issued in March or April 2021, and was worth $1,400 per adult tax filer plus $1,400 per eligible dependent. If you received less than you deserved in 2021, or didn’t receive any payment at all, you can claim your missing stimulus payment by filing a simple tax return. how_much_ctc_title: How much will I get from the Child Tax Credit? @@ -5916,7 +5914,7 @@ en: title: Let’s claim someone! documents: additional_documents: - document_list_title: "Based on your earlier answers, you might have the following:" + document_list_title: 'Based on your earlier answers, you might have the following:' help_text: If you have any other documents that might be relevant, please share them with us below. It will help us better prepare your taxes! title: Please share any additional documents. employment: @@ -5943,14 +5941,14 @@ en: one: The IRS requires us to see a current drivers license, passport, or state ID. other: The IRS requires us to see a current drivers license, passport, or state ID for you and your spouse. info: We will use your ID card to verify and protect your identity in accordance with IRS guidelines. It is ok if your ID is expired or if you have a temporary drivers license as long as we can clearly view your name and photo. - need_for: "We will need an ID for:" + need_for: 'We will need an ID for:' title: one: Attach a photo of your ID card other: Attach photos of ID cards intro: info: Based on your answers to our earlier questions, we have a list of documents you should share. Your progress will be saved and you can return with more documents later. - note: "Note: If you have other documents, you will have a chance to share those as well." - should_have: "You should have the following documents:" + note: 'Note: If you have other documents, you will have a chance to share those as well.' + should_have: 'You should have the following documents:' title: Now, let's collect your tax documents! overview: empty: No documents of this type were uploaded. @@ -5971,7 +5969,7 @@ en: submit_photo: Submit a photo selfies: help_text: The IRS requires us to verify who you are for tax preparation services. - need_for_html: "We will need to see a photo with ID for:" + need_for_html: 'We will need to see a photo with ID for:' title: Share a photo of yourself holding your ID card spouse_ids: expanded_id: @@ -5985,7 +5983,7 @@ en: help_text: The IRS requires us to see an additional form of identity. We use a second form of ID to verify and protect your identity in accordance with IRS guidelines. title: Attach photos of an additional form of ID help_text: The IRS requires us to see a valid Social Security Card or ITIN Paperwork for everyone in the household for tax preparation services. - need_for: "We will need a SSN or ITIN for:" + need_for: 'We will need a SSN or ITIN for:' title: Attach photos of Social Security Card or ITIN layouts: admin: @@ -6056,7 +6054,7 @@ en: closed_open_for_login_banner_html: GetYourRefund services are closed for this tax season. We look forward to providing our free tax assistance again starting in January. For free tax prep now, you can search for a VITA location in your area. faq: faq_cta: Read our FAQ - header: "Common Tax Questions:" + header: 'Common Tax Questions:' header: Free tax filing, made simple. open_intake_post_tax_deadline_banner: Get started with GetYourRefund by %{end_of_intake} if you want to file with us in 2024. If your return is in progress, sign in and submit your documents by %{end_of_docs}. security: @@ -6086,7 +6084,7 @@ en: description: We do not knowingly collect personal information from unemancipated minors under 16 years of age. header: Children’s privacy data_retention: - description: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law." + description: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law.' header: Data Retention description: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. effective_date: @@ -6110,7 +6108,7 @@ en: demographic: Demographic information, such as age and marital status device_information: Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) financial_information: Financial information, such as employment, income and income sources - header: "We may collect the following information about you, your dependents, or members of your household:" + header: 'We may collect the following information about you, your dependents, or members of your household:' personal_identifiers: Personal identifiers such as name, addresses, phone numbers, and email addresses protected_classifications: Characteristics of protected classifications, such as gender, race, and ethnicity state_information: State-issued identification, such as driver’s license number @@ -6178,7 +6176,7 @@ en: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" + description_html: 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' header: Questions resolve: We will do our best to resolve the issue questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} @@ -6198,9 +6196,9 @@ en: title: SMS terms stimulus: facts_html: - - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! - - Check the status of your stimulus check on the IRS Get My Payment website - - "Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639" + - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! + - Check the status of your stimulus check on the IRS Get My Payment website + - 'Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639' file_with_help: header: Collect your 2020 stimulus check by filing your taxes today! heading: Need assistance getting your stimulus check? @@ -6209,117 +6207,117 @@ en: eip: header: Economic Impact Payment (stimulus) check FAQs items: - - title: Will the EIP check affect my other government benefits? - content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. - - title: I still need to file a tax return. How long are the economic impact payments available? - content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. - - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? - content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. - - title: What if I am overdrawn at my bank? - content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. - - title: What if someone offers a quicker payment? - content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. + - title: Will the EIP check affect my other government benefits? + content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. + - title: I still need to file a tax return. How long are the economic impact payments available? + content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. + - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? + content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. + - title: What if I am overdrawn at my bank? + content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. + - title: What if someone offers a quicker payment? + content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. how_to_get_paid: header: How to get paid items: - - title: How do I get my Economic Impact Payment check? - content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. - - title: How do I determine if the IRS has sent my stimulus check? - content_html: |- - If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS - Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must - view or create an online account with the IRS. - - title: What if there are issues with my bank account information? - content_html: |- - If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the - Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. - - title: What if I haven’t filed federal taxes? - content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. - - title: What if I don’t have a bank account? - content_html: |- - If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, - sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or - Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. - - title: What if I moved since last year? - content_html: |- - The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the - IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. + - title: How do I get my Economic Impact Payment check? + content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. + - title: How do I determine if the IRS has sent my stimulus check? + content_html: |- + If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS + Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must + view or create an online account with the IRS. + - title: What if there are issues with my bank account information? + content_html: |- + If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the + Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. + - title: What if I haven’t filed federal taxes? + content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. + - title: What if I don’t have a bank account? + content_html: |- + If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, + sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or + Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. + - title: What if I moved since last year? + content_html: |- + The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the + IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. header: Get your Stimulus Check (EIP) intro: common_questions: We know there are many questions around the Economic Impact Payments (EIP) and we have some answers! We’ve broken down some common questions to help you out. description: - - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. - - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. + - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. + - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. eligibility: header: Who is eligible? info: - - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. - - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. - - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. - - "The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:" + - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. + - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. + - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. + - 'The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:' info_last_html: - - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. - - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. + - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. + - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. list: - - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. - - You had a new baby in 2020. - - You could be claimed as someone else’s dependent in 2019, but not in 2020. - - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. + - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. + - You had a new baby in 2020. + - You could be claimed as someone else’s dependent in 2019, but not in 2020. + - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. irs_info_html: The IRS will post all key information on %{irs_eip_link} as soon as it becomes available. last_updated: Updated on April 6, 2021 mixed_status_eligibility: header: Are mixed immigration status families eligible? info_html: - - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. - - |- - For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the - form I-7 and required documentation with your tax return, or by bringing the form and documentation to a - Certified Acceptance Agent. + - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. + - |- + For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the + form I-7 and required documentation with your tax return, or by bringing the form and documentation to a + Certified Acceptance Agent. title: Stimulus Payment tax_questions: cannot_answer: different_services: Questions about taxes filed with a different service (H&R Block, TurboTax) - header: "We can not answer:" + header: 'We can not answer:' refund_amounts: The amount of refund you will receive header: Let's try to answer your tax questions! see_faq: Please see our FAQ @@ -6351,7 +6349,7 @@ en: title: Wow, it looks like we are at capacity right now. warning_html: "A friendly reminder that the filing deadline is %{tax_deadline}. We recommend filing as soon as possible." backtaxes: - select_all_that_apply: "Select all the years you would like to file for:" + select_all_that_apply: 'Select all the years you would like to file for:' title: Which of the following years would you like to file for? balance_payment: title: If you have a balance due, would you like to make a payment directly from your bank account? @@ -6586,7 +6584,7 @@ en: consent_to_disclose_html: Consent to Disclose: You allow us to send tax information to the tax software company and financial institution you specify (if any). consent_to_use_html: Consent to Use: You allow us to count your return in reports. global_carryforward_html: Global Carryforward: You allow us to make your tax return information available to other VITA programs you may visit. - help_text_html: "We respect your privacy. You have the option to consent to the following:" + help_text_html: 'We respect your privacy. You have the option to consent to the following:' legal_details_html: |

      Federal law requires these consent forms be provided to you. Unless authorized by law, we cannot disclose your tax return information to third parties for purposes other than the preparation and filing of your tax return without your consent. If you consent to the disclosure of your tax return information, Federal law may not protect your tax return information from further use or distribution.

      @@ -6715,7 +6713,7 @@ en: other: In %{year}, did you or your spouse pay any student loan interest? successfully_submitted: additional_text: Please save this number for your records and future reference. - client_id: "Client ID number: %{client_id}" + client_id: 'Client ID number: %{client_id}' next_steps: confirmation_message: You will receive a confirmation message shortly header: Next Steps @@ -6735,7 +6733,7 @@ en: one: Have you had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? other: Have you or your spouse had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? verification: - body: "A message with your code has been sent to:" + body: 'A message with your code has been sent to:' error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -6766,55 +6764,55 @@ en: consent_agreement: details: header: The Details - intro: "This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review." + intro: 'This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review.' sections: - - header: Overview - content: - - I understand that VITA is a free tax program that protects my civil rights. - - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. - - header: Securing Taxpayer Consent Agreement - content: - - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. - - header: Performing the Intake Process (Secure All Documents) - content: - - "Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured." - - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. - - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) - content: - - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. - - header: Performing the interview with the taxpayer(s) - content: - - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. - - header: Preparing the tax return - content: - - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. - - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. - - header: Performing the quality review - content: - - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. - - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. - - header: Sharing the completed return - content: - - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. - - header: Signing the return - content: - - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. - - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. - - header: E-filing the tax return - content: - - I understand that GetYourRefund will e-file my tax return with the IRS. - - header: Request to Review your Tax Return for Accuracy - content: - - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. - - header: Virtual Consent Disclosure - content: - - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. - - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. - - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. - - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. - - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. - - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. - - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. + - header: Overview + content: + - I understand that VITA is a free tax program that protects my civil rights. + - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. + - header: Securing Taxpayer Consent Agreement + content: + - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. + - header: Performing the Intake Process (Secure All Documents) + content: + - 'Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured.' + - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. + - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) + content: + - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. + - header: Performing the interview with the taxpayer(s) + content: + - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. + - header: Preparing the tax return + content: + - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. + - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. + - header: Performing the quality review + content: + - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. + - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. + - header: Sharing the completed return + content: + - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. + - header: Signing the return + content: + - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. + - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. + - header: E-filing the tax return + content: + - I understand that GetYourRefund will e-file my tax return with the IRS. + - header: Request to Review your Tax Return for Accuracy + content: + - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. + - header: Virtual Consent Disclosure + content: + - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. + - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. + - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. + - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. + - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. + - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. + - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. site_process_header: The GetYourRefund Site Process information_you_provide: You understand the information you provide this site (GetYourRefund.org) is sent to a Volunteer Income Tax Assistance (VITA) preparation site in order for an IRS-certified volunteer to review your information, conduct an intake interview on the phone, prepare the tax return, and perform a quality review before filing your taxes. proceed_and_confirm: By proceeding, you confirm that the following statements are true and complete to the best of your knowledge. @@ -6835,13 +6833,13 @@ en: grayscale_partner_logo: provider_homepage: "%{provider_name} Homepage" progress_bar: - progress_text: "Intake progress:" + progress_text: 'Intake progress:' service_comparison: additional_benefits: Additional benefits all_services: All services provide email support and are available in English and Spanish. chat_support: Chat support filing_years: - title: "Filing years:" + title: 'Filing years:' id_documents: diy: ID numbers full_service: Photo @@ -6852,7 +6850,7 @@ en: direct_file: Most filers under $200,000 diy: under $84,000 full_service: under $67,000 - title: "Income guidance:" + title: 'Income guidance:' itin_assistance: ITIN application assistance mobile_friendly: Mobile-friendly required_information: Required information @@ -6888,7 +6886,7 @@ en: diy: 45 minutes full_service: 2-3 weeks subtitle: IRS payment processing times vary 3-6 weeks - title: "Length of time to file:" + title: 'Length of time to file:' title_html: Free tax filing for households that qualify.
      Find the tax service that’s right for you! triage_link_text: Answer a few simple questions and we'll recommend the right service for you! vita: IRS-certified VITA tax team diff --git a/config/locales/es.yml b/config/locales/es.yml index 712b84011e..1a6d6f884f 100644 --- a/config/locales/es.yml +++ b/config/locales/es.yml @@ -102,8 +102,8 @@ es: file_yourself: edit: info: - - Presente tus impuestos en línea por su cuenta usando nuestro sitio web asociado. ¡Esta es nuestra opción más rápida para los hogares que ganan menos de $84,000 para declarar impuestos y cobrar los créditos tributarios que se le deben! - - Para comenzar, necesitaremos recopilar información básica. + - Presente tus impuestos en línea por su cuenta usando nuestro sitio web asociado. ¡Esta es nuestra opción más rápida para los hogares que ganan menos de $84,000 para declarar impuestos y cobrar los créditos tributarios que se le deben! + - Para comenzar, necesitaremos recopilar información básica. title: "¡Declare aquí sus impuestos usted mismo!" documents: documents_help: @@ -192,7 +192,7 @@ es: too_short: La contraseña debe tener un mínimo de %{count} caracteres. payer_name: blank: Ingresa un nombre válido. - invalid: "Solo se aceptan letras, números, paréntesis, apóstrofos y #." + invalid: 'Solo se aceptan letras, números, paréntesis, apóstrofos y #.' payer_tin: invalid: El EIN debe ser un número de 9 dígitos. No incluyas un guion. payer_tin_ny_invalid: El número ingresado no es un TIN aceptado por el estado de Nueva York. @@ -252,11 +252,11 @@ es: contact_method_required: "%{attribute} es obligatorio si opta para recibir notificaciones " invalid_tax_status: El estado de declaración de impuestos proporcionado no es válido. mailing_address: - city: "Error: Ciudad Inválida" - invalid: "Error: Dirección Inválida" - multiple: "Error: Se encontraron varias direcciones para la información que ingresó y no existe ningún predeterminado." - not_found: "Error: Dirección no encontrada" - state: "Error: Código de Estado Inválido" + city: 'Error: Ciudad Inválida' + invalid: 'Error: Dirección Inválida' + multiple: 'Error: Se encontraron varias direcciones para la información que ingresó y no existe ningún predeterminado.' + not_found: 'Error: Dirección no encontrada' + state: 'Error: Código de Estado Inválido' md_county: residence_county: presence: Por favor seleccione un condado @@ -276,7 +276,7 @@ es: must_equal_100: Los porcentajes de enrutamiento deben totalizar el 100%. status_must_change: No se puede iniciar el cambio de estado al estado actual. tax_return_belongs_to_client: No se puede actualizar la declaración de impuestos que no esté relacionada con el cliente actual. - tax_returns: "Por favor, proporcione todos los campos obligatorios para las declaraciones de impuestos:: %{attrs}." + tax_returns: 'Por favor, proporcione todos los campos obligatorios para las declaraciones de impuestos:: %{attrs}.' tax_returns_attributes: certification_level: nivel de certificación is_hsa: es HSA @@ -507,7 +507,7 @@ es: my_account: Mi cuenta my_profile: Mi perfil name: Nombre - negative: "No" + negative: 'No' new: Nuevo new_unique_link: Nuevo Enlace único nj_staff: Personal de New Jersey @@ -629,7 +629,7 @@ es: very_well: Muy bien visit_free_file: Visite el sitio de declaración de impuestos gratuita del IRS visit_stimulus_faq: Preguntas Frecuentes sobre el pago de estímulo - vita_long: "VITA: Asistencia Voluntaria al Contribuyente Tributario" + vita_long: 'VITA: Asistencia Voluntaria al Contribuyente Tributario' well: Bien widowed: Viudo/a written_language_options: @@ -713,19 +713,19 @@ es: new_status: Nuevo estado remove_assignee: Eliminar cesionario selected_action_and_tax_return_count_html: - many: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:" - one: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devolución con el siguiente estado:" - other: "Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:" + many: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:' + one: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devolución con el siguiente estado:' + other: 'Ha seleccionado Cambiar cesionario y/o estado para %{count} devoluciones con los siguientes estados:' title: Acción masiva change_organization: edit: by_clicking_submit: Al hacer clic en enviar, está cambiando la organización, enviando una nota de equipo y actualizando seguidores. - help_text_html: "Nota: Todos las declaraciones de estos clientes se reasignarán a la organización seleccionada.
      Cambiar la organización puede hacer que los usuarios del hub asignados pierdan el acceso y se anulen la asignación." + help_text_html: 'Nota: Todos las declaraciones de estos clientes se reasignarán a la organización seleccionada.
      Cambiar la organización puede hacer que los usuarios del hub asignados pierdan el acceso y se anulen la asignación.' new_organization: Organización nuevo selected_action_and_client_count_html: - many: "Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:" - one: "Ha seleccionado Cambiar Organización para %{count} cliente en la organización:" - other: "Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:" + many: 'Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:' + one: 'Ha seleccionado Cambiar Organización para %{count} cliente en la organización:' + other: 'Ha seleccionado Cambiar Organización para %{count} clientes en estas organizaciónes:' title: Acción masiva send_a_message: edit: @@ -769,7 +769,7 @@ es: claimed_by_another: Can anyone else claim the taxpayer or spouse on their tax return? contact_number: Número de contacto disabled: Discapacidad total y permanente - dob: "DOB, en español: Fecha de nacimiento" + dob: 'DOB, en español: Fecha de nacimiento' email_optional: Correo electrónico (opcional) filer_provided_over_half_housing_support: "¿El contribuyente o contribuyentes aportaron más de la mitad de los gastos de vivienda de esta persona?" filer_provided_over_half_support: "¿El contribuyente o contribuyentes aportaron más del 50% de la manutención de esta persona?" @@ -784,7 +784,7 @@ es: middle_initial: Inicial de su segundo nombre months_in_home: "# o número de meses que vivió en su casa el año pasado:" never_married: Nunca se ha casado - north_american_resident: "Residente en EE.UU., Canadá o México el año pasado:" + north_american_resident: 'Residente en EE.UU., Canadá o México el año pasado:' owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -794,7 +794,7 @@ es: receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail refund_other: Other - refund_payment_method: "If you are due a refund, would you like:" + refund_payment_method: 'If you are due a refund, would you like:' refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -806,8 +806,8 @@ es: was_full_time_student: Estudiante a tiempo completo was_married: Single or Married as of 12/31/2024 was_student: Estudiante a tiempo completo el año pasado - last_year_was_your_spouse: "El año pasado, ¿fue su cónyuge:" - last_year_were_you: "El año pasado, ¿fue su usted:" + last_year_was_your_spouse: 'El año pasado, ¿fue su cónyuge:' + last_year_were_you: 'El año pasado, ¿fue su usted:' title: 13614-C página 1 what_was_your_marital_status: Para el 31 de diciembre de %{current_tax_year}, ¿cuál era su estado civil? edit_13614c_form_page2: @@ -817,7 +817,7 @@ es: had_gambling_income: Gambling winnings, including lottery had_interest_income: "¿Intereses/dividendos de: cuentas corrientes/de ahorro, bonos, certificados de depósito, corretaje?" had_local_tax_refund: Refund of state or local income tax - had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" + had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' had_rental_income: "¿Ingresos (o pérdidas) procedentes del arrendamiento de propiedades?" had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -905,7 +905,7 @@ es: client_id_heading: Cliente ID client_info: Información del cliente created_at: Creado en - excludes_statuses: "Excluye: %{statuses}" + excludes_statuses: 'Excluye: %{statuses}' filing_year: Año para declarar filter: Filtrar resultados filters: Filtros @@ -934,7 +934,7 @@ es: title: Agregar un nuevo cliente organizations: edit: - warning_text_1: "Aviso: Todas las declaraciones de este cliente se asiganrán a la nueva organización." + warning_text_1: 'Aviso: Todas las declaraciones de este cliente se asiganrán a la nueva organización.' warning_text_2: Cambiar la organización puede causar que los usuarios del hub pierdan acceso y asignación. show: basic_info: Información básica @@ -967,7 +967,7 @@ es: email: envió correo electrónico internal_note: guardó nota interna status: actualizó estado - success: "Éxito: Acción completo! %{action_list}." + success: 'Éxito: Acción completo! %{action_list}.' text_message: envió mensjaje de texto coalitions: edit: @@ -987,7 +987,7 @@ es: client_id: ID de cliente client_name: nombre del cliente no_clients: No hay clientes para mostrar en este momento - title: "Acción requerida: Clientes marcados" + title: 'Acción requerida: Clientes marcados' updated: Actualizado en approaching: Que se acerca capacity: Capacidad @@ -1036,7 +1036,7 @@ es: has_duplicates: Posibles duplicados detectados has_previous_year_intakes: Ingreso(s) del año anterior itin_applicant: Solicitante de Número de Identificación Personal (ITIN) - last_client_update: "Última actualización de cliente: " + last_client_update: 'Última actualización de cliente: ' last_contact: último contacto messages: automated: Automatizado @@ -1071,14 +1071,14 @@ es: label: Agregar una nota submit: Guardar outbound_call_synthetic_note: Llamado por %{user_name}. La llamada se %{status} y duró %{duration}. - outbound_call_synthetic_note_body: "Notas de llamada:" + outbound_call_synthetic_note_body: 'Notas de llamada:' organizations: activated_all: success: Activado con éxito %{count} usuarios form: active_clients: clientes activos allows_greeters: Permite saludadores - excludes: "Excluye estados: Aceptado, No Archivar, en En Pausa" + excludes: 'Excluye estados: Aceptado, No Archivar, en En Pausa' index: add_coalition: Agregar una nueva coalición add_organization: Agregar una nueva organización @@ -1100,8 +1100,8 @@ es: client_phone_number: Número de teléfono del cliente notice_html: Espere una llamada de %{receiving_number} cuando presione 'Llámalos ahora'. notice_list: - - Su número de teléfono permanecerá privado, no es accesible para el cliente. - - Siempre llamaremos desde este número; considere agregarlo a sus contactos. + - Su número de teléfono permanecerá privado, no es accesible para el cliente. + - Siempre llamaremos desde este número; considere agregarlo a sus contactos. title: Llamar al cliente your_phone_number: Tu número de teléfono show: @@ -1274,9 +1274,9 @@ es: send_a_message_description_html: Envía un mensaje a estos %{count} clientes. title: Elija su acción masiva page_title: - many: "Selección de clientes #%{id} (%{count} resultados)" - one: "Selección de clientes #%{id} (%{count} resultado)" - other: "Selección de clientes #%{id} (%{count} resultados)" + many: 'Selección de clientes #%{id} (%{count} resultados)' + one: 'Selección de clientes #%{id} (%{count} resultado)' + other: 'Selección de clientes #%{id} (%{count} resultados)' tax_returns: count: many: "%{count} declaraciones de impuestos" @@ -1289,7 +1289,7 @@ es: new: assigned_user: Usuario asignado (opcional) certification_level: Nivel de certificación (opcional) - current_years: "Años tributarios actuales:" + current_years: 'Años tributarios actuales:' no_remaining_years: No hay años tributarios restantes para los que crear una declaración. tax_year: Año tributario title: Agregar año tributario para %{name} @@ -1457,7 +1457,7 @@ es: ¡Estamos aquí para ayudarle! Su Equipo de Asistencia de Preparación de Impuestos en GetYourRefund - subject: "GetYourRefund: Tienes un envío en curso" + subject: 'GetYourRefund: Tienes un envío en curso' sms: body: Hola <>, no has completado de proporcionar la información que necesitamos para preparar tus impuestos en GetYourRefund. Continúe donde lo dejó aquí <>. Su ID de cliente es <>. Si tiene alguna pregunta, responda a este mensaje. intercom_forwarding: @@ -1508,12 +1508,12 @@ es: accepted_owe: email: body: "Hola %{primary_first_name},\n\n¡%{state_name} aceptó tu declaración de impuestos estatales! Asegúrate de pagar tus impuestos estatales antes del 15 de abril en %{state_pay_taxes_link} si no los pagaste mediante débito directo al presentar tu declaración.\n\nDescarga tu declaración en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada" + subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada' sms: "Hola %{primary_first_name} - %{state_name}¡Acepté su declaración de impuestos estatales! Asegúrese de pagar sus impuestos estatales antes del 15 de abril al %{state_pay_taxes_link} si no ha pagado mediante depósito directo o cheque. \n\n\nDescarga tu declaración en %{return_status_link}\n\n¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" accepted_refund: email: body: "Hola %{primary_first_name},\n\n¡%{state_name} ha aceptado tu declaración de impuestos estatales! Puedes esperar recibir tu reembolso tan pronto como %{state_name} apruebe la cantidad de tu reembolso.\n\nDescarga tu declaración y verifica el estado de tu reembolso en %{return_status_link}.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada" + subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada' sms: "Hola %{primary_first_name} - %{state_name} ¡Acepté su declaración de impuestos estatales! Puede esperar recibir su reembolso tan pronto como %{state_name} apruebe el monto de su reembolso. \n\nDescargue su devolución y verifique el estado de su reembolso en %{return_status_link}\n\n¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: @@ -1523,7 +1523,7 @@ es: Para continuar con la preparación de tu declaración estatal, por favor crea una cuenta nueva con FileYourStateTaxes, visitando: https://www.fileyourstatetaxes.org/es/%{state_code}/landing-page Necesitas ayuda? Envía un correo electrónico a help@fileyourstatetaxes.org o envíanos un mensaje directo mediante chat en FileYourStateTaxes.org - subject: "FileYourStateTaxes: Importación de datos para la declaración de %{state_name}" + subject: 'FileYourStateTaxes: Importación de datos para la declaración de %{state_name}' sms: "Hola, Es posible que hayas tenido problemas transfiriendo los datos de tu declaración federal desde IRS Direct File. Se resolvió el problema. \n\nPara continuar con la preparación de tu declaración estatal, por favor crea una cuenta nueva con FileYourStateTaxes, visitando: https://www.fileyourstatetaxes.org/es/%{state_code}/landing-page\n\nNecesitas ayuda? Envía un correo electrónico a Email us at help@fileyourstatetaxes.org\n" finish_return: email: @@ -1568,7 +1568,7 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: "Recordatorio final: FileYourStateTaxes cerrará el 25 de abril." + subject: 'Recordatorio final: FileYourStateTaxes cerrará el 25 de abril.' sms: | Hola %{primary_first_name} - Aún no has enviado tu declaración de impuestos estatales. Asegúrate de presentar tus impuestos estatales lo antes posible para evitar multas por declarar tarde. Ve a fileyourstatetaxes.org/es/login-options para completar tu declaración ahora. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. @@ -1608,7 +1608,7 @@ es: rejected: email: body: "Hola %{primary_first_name},\n\nLamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: "Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Rechazada. Acción Necesaria." + subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Rechazada. Acción Necesaria.' sms: | Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó su declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarle a solucionarlo y volver a enviarlo en %{return_status_link}. @@ -1634,7 +1634,7 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: "Actualización de FileYourStateTaxes: La declaración de impuestos estatales de %{state_name} está tardando más de lo esperado" + subject: 'Actualización de FileYourStateTaxes: La declaración de impuestos estatales de %{state_name} está tardando más de lo esperado' sms: Hola %{primary_first_name} - Está tardando más de lo esperado procesar su declaración de impuestos estatales. ¡No te preocupes! Le informaremos tan pronto como sepamos el estado de su devolución. No necesitas hacer nada ahora. ¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org. successful_submission: email: @@ -1650,7 +1650,7 @@ es: Atentamente, El equipo de FileYourStateTaxes resubmitted: Reenvió - subject: "Actualización de FileYourStateTaxes: %{state_name} Declaración estatal enviada" + subject: 'Actualización de FileYourStateTaxes: %{state_name} Declaración estatal enviada' submitted: Envió sms: Hola %{primary_first_name} - ¡Has %{submitted_or_resubmitted} tu %{state_name} declaración de impuestos estatales! Le informaremos en 1 o 2 días sobre el estado de su devolución. Puedes descargar tu declaración y consultar el estado en %{return_status_link}. ¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org. survey_notification: @@ -1677,7 +1677,7 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: "Actualización de FileYourStateTaxes: La Declaración de Impuestos Estatales de %{state_name}." + subject: 'Actualización de FileYourStateTaxes: La Declaración de Impuestos Estatales de %{state_name}.' sms: "Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales por un problema que no se puede resolver en nuestra herramienta. ¡No te preocupes! Podemos ayudarte a brindar orientación sobre los próximos pasos. Chatea con nosotros en %{return_status_link}. \n\n¿Tienes preguntas? Responde a este texto.\n" welcome: email: @@ -1729,8 +1729,8 @@ es: ¡Estamos aquí para ayudarle! Su equipo fiscal en GetYourRefund - subject: "GetYourRefund: ¡Ha enviado correctamente su información fiscal!" - sms: "Hola <>, Su información fiscal se envió correctamente a GetYourRefund. Su ID de cliente es <>. Su especialista en impuestos revisará su información, se comunicará con usted y programará una llamada telefónica requerida antes de preparar sus impuestos. Para presentar la solicitud antes de la fecha límite, necesitamos todos los documentos requeridos antes del %{end_of_docs_date}. Verifique su progreso y agregue documentos adicionales aquí: <>. Si tiene alguna pregunta, responda a este mensaje." + subject: 'GetYourRefund: ¡Ha enviado correctamente su información fiscal!' + sms: 'Hola <>, Su información fiscal se envió correctamente a GetYourRefund. Su ID de cliente es <>. Su especialista en impuestos revisará su información, se comunicará con usted y programará una llamada telefónica requerida antes de preparar sus impuestos. Para presentar la solicitud antes de la fecha límite, necesitamos todos los documentos requeridos antes del %{end_of_docs_date}. Verifique su progreso y agregue documentos adicionales aquí: <>. Si tiene alguna pregunta, responda a este mensaje.' surveys: completion: email: @@ -1779,8 +1779,8 @@ es: ¡Gracias por crear una cuenta con GetYourRefund! Su ID de cliente es <>. Esta es una información importante de la cuenta que puede ayudarle cuando hable con nuestros representantes de chat y cuando inicie sesión en su cuenta. Mantenga un registro de este número y no elimine este mensaje. Puede verificar su progreso y agregar documentos adicionales aquí: <> - subject: "Bienvenido a GetYourRefund: ID de cliente" - sms: "Hola <>, Te has registrado en GetYourRefund. IMPORTANTE: Su ID de cliente es <>. Mantenga un registro de este número y no elimine este mensaje. Si tiene alguna pregunta, responda a este mensaje." + subject: 'Bienvenido a GetYourRefund: ID de cliente' + sms: 'Hola <>, Te has registrado en GetYourRefund. IMPORTANTE: Su ID de cliente es <>. Mantenga un registro de este número y no elimine este mensaje. Si tiene alguna pregunta, responda a este mensaje.' models: intake: your_spouse: Su cónyuge @@ -1815,7 +1815,7 @@ es: last_four_or_client_id: ID de cliente o los 4 últimos de SSN/ITIN title: Autenticación necesaria para continuar enter_verification_code: - code_sent_to_html: "Se ha enviado un mensaje con tu código a: %{address}" + code_sent_to_html: 'Se ha enviado un mensaje con tu código a: %{address}' enter_6_digit_code: Ingrese el código de 6 dígitos title: "¡Verifiquemos ese código!" verify: Verificar @@ -1824,7 +1824,7 @@ es: bad_input: ID de cliente o los 4 últimos de SSN/ITIN incorrectos. Después de 5 intentos fallidos, las cuentas se bloquean. bad_verification_code: Código incorrecto. Después de 5 intentos fallidos, las cuentas se bloquean. new: - one_form_of_contact: "Ingresa una forma de contacto a continuación:" + one_form_of_contact: 'Ingresa una forma de contacto a continuación:' send_code: Enviar el código title: Le enviaremos un código seguro para iniciar sesión closed_logins: @@ -1847,7 +1847,7 @@ es: add_signature_primary: Agregue su firma final a su declaración de impuestos add_signature_spouse: Agregue la firma final de su cónyuge a su declaración de impuestos finish_intake: Responda las preguntas fiscales restantes para continuar. - client_id: "Identificación del cliente: %{id}" + client_id: 'Identificación del cliente: %{id}' document_link: add_final_signature: Agregar firma final add_missing_documents: Agregar documentos faltantes @@ -1860,7 +1860,7 @@ es: view_w7: Ver o descargar el formulario W-7 view_w7_coa: Ver o descargar el formulario W-7 (COA) help_text: - file_accepted: "Completado: %{date}" + file_accepted: 'Completado: %{date}' file_hold: Su declaración está en espera. Su preparador de impustos se comunicará con más detalles. file_not_filing: Esta declaración no se está presentando. Comuníquese con su preparador de impuestos si tiene alguna pregunta. file_rejected: Su devolución ha sido rechazada. Comuníquese con su preparador de impuestos si tiene alguna pregunta. @@ -1875,7 +1875,7 @@ es: review_reviewing: Tu devolución está siendo revisada review_signature_requested_primary: Estamos esperando una firma final de usted. review_signature_requested_spouse: Estamos esperando una firma final de su cónyuge. - subtitle: "Aquí hay una instantánea de sus impuestos:" + subtitle: 'Aquí hay una instantánea de sus impuestos:' tax_return_heading: Declaración de impuestos de %{year} title: Bienvenido de nuevo %{name}! still_needs_helps: @@ -1944,7 +1944,7 @@ es: description: Declare rápidamente por su cuenta. list: file: Declare solo para %{current_tax_year} - income: "Ingresos: menos de $84,000" + income: 'Ingresos: menos de $84,000' timeframe: 45 minutos para declarar title: Declarar por cuenta propia gyr_tile: @@ -1952,7 +1952,7 @@ es: description: Presente su declaración de impuestos con confianza con la ayuda de nuestros voluntarios certificados por el IRS. list: file: Presentar para %{oldest_filing_year}-%{current_tax_year} - income: "Ingresos: menos de $67,000" + income: 'Ingresos: menos de $67,000' ssn: Debe mostrar copias de su tarjeta de Seguro Social o papeleo de su Número de Identificación Personal (ITIN) timeframe: De 2-3 semanas para declarar sus impuestos title: " Declare con Ayuda" @@ -2018,10 +2018,10 @@ es: banner: Se cerraron nuevas inscripciones para GetYourRefund para 2023. Vuelva en enero para presentar la solicitud el próximo año. header: "¡Nos daría mucho gusto trabajar con usted y ayudarle gratuitamente a declarar sus impuestos!" opt_in_message: - 01_intro: "Aviso: Proporcionar su número de teléfono significa que usted ha optado por lo siguiente para usar el servicio GetYourRefund:" + 01_intro: 'Aviso: Proporcionar su número de teléfono significa que usted ha optado por lo siguiente para usar el servicio GetYourRefund:' 02_list: - - Recibir un código de verificación de GetYourRefund - - Notificaciones sobre la declaración de impuestos + - Recibir un código de verificación de GetYourRefund + - Notificaciones sobre la declaración de impuestos 03_message_freq: La frecuencia de los mensajes varía. Se aplican las tarifas estándar de los mensajes. Envíe HELP al 11111 para obtener ayuda. Envíe STOP al 11111 para cancelarlo. Los operadores (por ejemplo, AT&T, Verizon, etc.) no son responsables de los mensajes no entregados o retrasados. 04_detail_links_html: Favor de consultar nuestras Condiciones generales y Política de privacidad. subheader: Regístrese aquí para recibir una notificación cuando abramos en enero. @@ -2061,7 +2061,7 @@ es: title: Lo sentimos, no nos fue posible verificar tu cuenta faq: index: - title: "Preguntas frecuentes de los contribuyentes de %{state}:" + title: 'Preguntas frecuentes de los contribuyentes de %{state}:' general: fed_agi: Ingreso bruto federal ajustado id_adjusted_income: Ingreso total ajustado de Idaho @@ -2100,7 +2100,7 @@ es: md_social_security_income_not_taxed: Ingresos del Seguro Social (a los que no aplican impuestos en Maryland) md_standard_deduction: Deducción estándar md_state_retirement_pickup_addition: Adición estatal por jubilación - md_subtraction_child_dependent_care_expenses: "Resta por Gastos de Cuidado de Niños y Dependientes " + md_subtraction_child_dependent_care_expenses: 'Resta por Gastos de Cuidado de Niños y Dependientes ' md_subtraction_income_us_gov_bonds: Deducción por ingresos de bonos del gobierno de los Estados Unidos md_tax: Impuesto de Maryland md_tax_withheld: Retenciones de impuestos de Maryland y locales @@ -2217,7 +2217,7 @@ es:
    • Números de ruta y cuenta bancaria (si deseas recibir tu reembolso o realizar un pago de impuestos electrónicamente)
    • (opcional) Licencia de conducir o identificación emitida por el estado
    - help_text_title: "Necesitarás:" + help_text_title: 'Necesitarás:' supported_by: Respaldado por la División de Impuestos de New Jersey title: "¡Presenta gratis tus impuestos de New Jersey!" not_you: "¿No es %{user_name}?" @@ -2244,7 +2244,7 @@ es: section_4: Transferir tus datos section_5: Completa tu declaración de impuestos estatales section_6: Envía tus impuestos estatales - step_description: "Sección %{current_step} de %{total_steps}: " + step_description: 'Sección %{current_step} de %{total_steps}: ' notification_mailer: user_message: unsubscribe: Para dejar de recibir los correos electrónicos, haz clic aquí. @@ -2258,7 +2258,7 @@ es: az_charitable_contributions: edit: amount_cannot_exceed: La cantidad no puede ser mayor a $500 - charitable_cash_html: "Cantidad total de las donaciones/pagos en efectivo " + charitable_cash_html: 'Cantidad total de las donaciones/pagos en efectivo ' charitable_noncash_html: Cantidad total de las donaciones no monetarias help_text: Por ejemplo, el valor comercial razonable de los artículos donados. question: @@ -2288,7 +2288,7 @@ es: edit: prior_last_names_label: many: Ingresa todos los apellidos utilizados por usted y su cónyuge en los últimos cuatro años. - one: "Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)" + one: 'Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)' other: Ingresa todos los apellidos que usaste en los últimos cuatro años. subtitle: Esto incluye los años fiscales del %{start_year} al %{end_year} title: @@ -2322,11 +2322,11 @@ es: other: "¿Tú o tu cónyuge pagaron alguna tarifa o donaron dinero a una escuela pública de Arizona en %{year}?" more_details_html: Visita el Departamento de Ingresos de Arizonapara más detalles. qualifying_list: - - Actividades extracurriculares - - Educación en valores - - Pruebas estandarizadas y sus tarifas - - Evaluación de educación técnica y profesional - - Entrenamiento de Reanimación Cardiopulmonar (RCP) + - Actividades extracurriculares + - Educación en valores + - Pruebas estandarizadas y sus tarifas + - Evaluación de educación técnica y profesional + - Entrenamiento de Reanimación Cardiopulmonar (RCP) school_details_answer_html: | Puedes encontrar esta información en el recibo que te entregaron en la escuela.

    @@ -2341,7 +2341,7 @@ es: add_another: Agregar otra donación delete_confirmation: "¿Estás seguro de que quieres eliminar esta contribución?" maximum_records: Ha proporcionado la cantidad máxima de registros. - title: "Esta es la información que agregaste:" + title: 'Esta es la información que agregaste:' az_qualifying_organization_contributions: destroy: removed: Se eliminó AZ 321 para %{charity_name} @@ -2391,7 +2391,7 @@ es: az_tax: Impuesto de Arizona az_tax_withheld: Retención de impuestos de Arizona az_taxable_income: Ingreso imponible en Arizona - charitable_cash: "Donaciones caritativas (en efectivo) " + charitable_cash: 'Donaciones caritativas (en efectivo) ' charitable_contributions: Realizó contribuciones caritativas charitable_noncash: Donaciones caritativas (en especie) credit_to_qualifying_charitable: Crédito por Contribuciones a Organizaciones Caritativas Calificadas @@ -2512,7 +2512,7 @@ es: other_credits_529_html: Deducción por contribuciones al plan 529 de Arizona other_credits_add_dependents: Agregar dependientes no reclamados en la declaración federal other_credits_change_filing_status: Cambio en el estado civil tributario de la declaración federal a estatal - other_credits_heading: "Otros créditos y deducciones no admitidos este año:" + other_credits_heading: 'Otros créditos y deducciones no admitidos este año:' other_credits_itemized_deductions: Deducciones detalladas property_tax_credit_age: Tener 65 años o más, o recibir pagos de Seguridad de Ingreso Suplementario property_tax_credit_heading_html: 'Crédito por impuestos a la propiedad. . Para calificar para este crédito debes:' @@ -2549,7 +2549,7 @@ es: itemized_deductions: Deducciones detalladas long_term_care_insurance_subtraction: Resta del Seguro de Atención a Largo Plazo maintaining_elderly_disabled_credit: Crédito por Mantener un Hogar para Personas Mayores o Discapacitadas - not_supported_this_year: "Créditos y deducciones no admitidos este año:" + not_supported_this_year: 'Créditos y deducciones no admitidos este año:' id_supported: child_care_deduction: Resta de Idaho por Gastos de Cuidado Niños y Dependientes health_insurance_premiums_subtraction: Resta de primas de seguro médico @@ -2642,8 +2642,8 @@ es: title2: "¿Qué escenarios para reclamar el Crédito Tributario por Ingresos del Trabajo de Maryland y/o el Crédito Tributario por Hijos no admite este servicio?" title3: "¿Qué pasa si aún no puedo usar FileYourStateTaxes para mi situación concreta?" md_supported: - heading1: "Restas:" - heading2: "Créditos:" + heading1: 'Restas:' + heading2: 'Créditos:' sub1: Deducción por gastos de cuidado de niños y Dependientes sub10: Crédito tributario para Personas Mayores sub11: Crédito Estatal y Local por Nivel de Pobreza @@ -2678,7 +2678,7 @@ es:
  • Declaraciones con distintos estados civiles: debes usar el mismo estado civil en tus declaraciones de impuestos federales y estatales. Por ejemplo, no puedes presentarte como casado/a declarando conjuntamente en los impuestos federales y luego como casado/a declarando separadamente en los estatales.
  • Repetición de dependientes: No debes agregar ni quitar dependientes en tu declaración de impuestos estatales si ya los reclamaste en tu declaración de impuestos federales
  • Aplicar una parte de tu reembolso de 2024 a tus estimaciones de impuestos de 2025
  • - also_unsupported_title: "Tampoco admitimos:" + also_unsupported_title: 'Tampoco admitimos:' unsupported_html: |
  • Deducción por comidas, alojamiento, gastos de mudanza, otros gastos de negocio reembolsados o compensación por lesiones o enfermedades reportadas como salarios en tu W-2
  • Deducción por pagos de pensión alimenticia
  • @@ -2707,7 +2707,7 @@ es: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: "Other credits, deductions and resources not supported this year:" + other_credits_heading: 'Other credits, deductions and resources not supported this year:' other_credits_itemized_deductions: Deducciones detalladas real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2728,7 +2728,7 @@ es: fees: Puede que apliquen tarifas. learn_more_here_html: Obtén más información aquí. list: - body: "Muchos servicios comerciales de preparación de impuestos ofrecen la opción de declarar sólo los impuestos estatales. Aquí tienes algunos consejos rápidos:" + body: 'Muchos servicios comerciales de preparación de impuestos ofrecen la opción de declarar sólo los impuestos estatales. Aquí tienes algunos consejos rápidos:' list1: Confirma que el servicio te permita presentar sólo tu declaración estatal. Es posible que necesites consultar con el soporte al cliente. list2: Prepárate para volver a ingresar la información de tu declaración federal, ya que se necesita para tu declaración estatal. list3: Al declarar, envía sólo tu declaración estatal. Si vuelves a enviar tu declaración federal, puede ser rechazada. @@ -2907,7 +2907,7 @@ es: many: Para ver si califica, necesitamos más información sobre usted y su hogar. one: Para ver si usted califica, necesitamos más información sobre usted. other: Para ver si calificas, necesitamos más información sobre ti y tu hogar. - select_household_members: "Selecciona a las personas de tu hogar para quienes aplican estas situaciones en %{tax_year}:" + select_household_members: 'Selecciona a las personas de tu hogar para quienes aplican estas situaciones en %{tax_year}:' situation_incarceration: Estuvo encarcelado situation_snap: Recibir cupones de alimentos / SNAP-EBT situation_undocumented: Vivir en los Estados Unidos sin documentación @@ -2922,7 +2922,7 @@ es: why_are_you_asking_li1: Recibió cupones de alimentos why_are_you_asking_li2: Estuvo encarcelado why_are_you_asking_li3: Vivió en los Estados Unidos sin documentación - why_are_you_asking_p1: "Algunas restricciones mensuales aplican para este crédito. Una persona no calificará para los meses en los que:" + why_are_you_asking_p1: 'Algunas restricciones mensuales aplican para este crédito. Una persona no calificará para los meses en los que:' why_are_you_asking_p2: La cantidad del crédito se reduce por cada mes que haya tenido alguna de estas situaciones. why_are_you_asking_p3: Las respuestas se utilizan únicamente para calcular la cantidad del crédito y se mantendrán confidenciales. you_example_months: Por ejemplo, si tuviste 2 situaciones en abril, eso cuenta como 1 mes. @@ -3010,7 +3010,7 @@ es: voluntary_charitable_donations: Donaciones caritativas voluntarias id_sales_use_tax: edit: - sales_tax_content: "Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado." + sales_tax_content: 'Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado.' sales_tax_title: "¿Qué son los impuestos sobre ventas?" sales_use_tax_helper_text: Ingrese el monto total subtitle_html: Esto incluye compras en línea donde no se aplicó el impuesto sobre ventas. Si hiciste alguna compra sin pagar impuestos sobre la venta, puede que debas el impuesto sobre el uso de esas compras. Te ayudaremos a saber la cantidad exacta. @@ -3061,10 +3061,10 @@ es: county_html: "Condado" political_subdivision: Subdivisión Política political_subdivision_helper_areas: - - "Condados: Los 23 condados y la Ciudad de Baltimore." - - "Municipios: Pueblos y ciudades dentro de los condados." - - "Distritos especiales de impuestos: Áreas con reglas fiscales específicas para servicios locales." - - "Todas las demás áreas: Regiones que no tienen su propio gobierno municipal y son gobernadas a nivel de condado." + - 'Condados: Los 23 condados y la Ciudad de Baltimore.' + - 'Municipios: Pueblos y ciudades dentro de los condados.' + - 'Distritos especiales de impuestos: Áreas con reglas fiscales específicas para servicios locales.' + - 'Todas las demás áreas: Regiones que no tienen su propio gobierno municipal y son gobernadas a nivel de condado.' political_subdivision_helper_first_p: 'Una "subdivisión política" es un área específica dentro de Maryland que tiene su propio gobierno local. Esto incluye:' political_subdivision_helper_heading: "¿Qué es una subdivisión política?" political_subdivision_helper_last_p: Selecciona la subdivisión política donde vives el 31 de diciembre de %{filing_year} para asegurarse de que su declaración de impuestos sea correcta. @@ -3089,15 +3089,15 @@ es: authorize_follow_up: Si respondes que sí, compartiremos tu información y la dirección de correo electrónico registrada con Maryland Health Connection. authorize_share_health_information: "¿Quieres autorizar al Contralor de Maryland a compartir información de esta declaración de impuestos con Maryland Health Connection para determinar la pre-elegibilidad para cobertura de salud sin costo o de bajo costo?" authorize_to_share_info: - - Nombre, SSN/ITIN y fecha de nacimiento de cada persona identificada en tu declaración - - Tu dirección de correspondencia, correo electrónico y número de teléfono - - Tu estado civil tributario - - Número total de personas en tu hogar incluidas en tu declaración - - Estado asegurado/no asegurado de cada persona incluida en tu declaración - - Si eres una persona ciega - - Relación (titular, cónyuge o dependiente) con el contribuyente principal de cada persona incluida en tu declaración - - El ingreso bruto ajustado de tu declaración federal (Line 1) - following_will_be_shared: "Si lo permites, el Contralor de Maryland compartirá estos detalles con Maryland Health Connection (MHC):" + - Nombre, SSN/ITIN y fecha de nacimiento de cada persona identificada en tu declaración + - Tu dirección de correspondencia, correo electrónico y número de teléfono + - Tu estado civil tributario + - Número total de personas en tu hogar incluidas en tu declaración + - Estado asegurado/no asegurado de cada persona incluida en tu declaración + - Si eres una persona ciega + - Relación (titular, cónyuge o dependiente) con el contribuyente principal de cada persona incluida en tu declaración + - El ingreso bruto ajustado de tu declaración federal (Line 1) + following_will_be_shared: 'Si lo permites, el Contralor de Maryland compartirá estos detalles con Maryland Health Connection (MHC):' information_use: Esta información ayuda a MHC a verificar si calificas para un seguro asequible o para ayudarte a inscribirte en la cobertura de salud. more_info: 'Para más detalles sobre programas de seguros o inscripción, visita el sitio web de Maryland Health Connection: marylandhealthconnection.gov/easyenrollment/.' no_insurance_question: "¿Algún miembro de tu hogar incluido en esta declaración no tuvo cobertura de salud durante el año?" @@ -3142,7 +3142,7 @@ es: doc_1099r_label: 1099-R income_source_other: Otros ingresos de jubilación (por ejemplo, un plan Keogh, también conocido como HR-10) (este es menos común) income_source_pension_annuity_endowment: Una pensión, renta vitalicia o dotación de un “sistema de jubilación para empleados” (este es más común) - income_source_question: "Selecciona la fuente de este ingreso:" + income_source_question: 'Selecciona la fuente de este ingreso:' military_service_reveal_header: "¿Qué servicios militares califican?" military_service_reveal_html: |

    Para calificar, debes haber sido:

    @@ -3176,7 +3176,7 @@ es: service_type_military: Tu servicio en el ejército o los beneficios por fallecimiento militar de un cónyuge o ex-cónyuge service_type_none: Ninguna de estas aplica service_type_public_safety: Tu servicio como trabajador de seguridad pública - service_type_question: "Este ingreso provino de:" + service_type_question: 'Este ingreso provino de:' subtitle: Necesitamos más información de tu formulario 1099-R para confirmar tu elegibilidad. taxable_amount_label: Cantidad sujeta a impuestos taxpayer_name_label: Nombre del contribuyente @@ -3265,28 +3265,28 @@ es: bailey_description: El Acuerdo Bailey es un fallo de la Corte Suprema de Carolina del Norte que establece que ciertos planes de jubilación son libres de impuestos en Carolina del Norte. bailey_more_info_html: Visita el Departamento de Ingresos de Carolina del Norte for more information. bailey_reveal_bullets: - - Sistema de Jubilación de Maestros y Empleados del Estado de Carolina del Norte - - Sistema de Jubilación de Empleados Gubernamentales Locales de Carolina del Norte - - Sistema de Jubilación Judicial Consolidado de Carolina del Norte - - Sistema de Jubilación de Empleados Federales - - Sistema de Jubilación del Servicio Civil de los Estados Unidos + - Sistema de Jubilación de Maestros y Empleados del Estado de Carolina del Norte + - Sistema de Jubilación de Empleados Gubernamentales Locales de Carolina del Norte + - Sistema de Jubilación Judicial Consolidado de Carolina del Norte + - Sistema de Jubilación de Empleados Federales + - Sistema de Jubilación del Servicio Civil de los Estados Unidos bailey_settlement_at_least_five_years: "¿Prestaste tú o tu cónyuge prestaron al menos cinco años de servicio acreditable antes del 12 de agosto de 1989?" bailey_settlement_checkboxes: Por favor, marca todas las casillas sobre el Acuerdo Bailey que te apliquen a ti o a tu cónyuge. bailey_settlement_from_retirement_plan: "¿Recibiste tú o tu cónyuge recibieron beneficios de jubilación del plan 401(k) y estabas contratado o contribuiste al plan antes del 12 de agosto de 1989?" doc_1099r_label: 1099-R income_source_bailey_settlement_html: Beneficios de jubilación como parte del Acuerdo Bailey - income_source_question: "Selecciona la fuente de este ingreso:" + income_source_question: 'Selecciona la fuente de este ingreso:' other: Ninguna de estas opciones aplican subtitle: Necesitamos más información de tu formulario 1099-R para confirmar tu elegibilidad. - taxable_amount_label: "Cantidad sujeta a impuestos:" - taxpayer_name_label: "Nombre del declarante:" + taxable_amount_label: 'Cantidad sujeta a impuestos:' + taxpayer_name_label: 'Nombre del declarante:' title: "¡Podrías ser elegible para la deducción de ingresos de jubilación de Carolina del Norte!" uniformed_services_bullets: - - Las Fuerzas Armadas - - El cuerpo comisionado de la Administración Nacional Oceánica y Atmosférica (NOAA) - - El cuerpo comisionado del Servicio de Salud Pública de los Estados Unidos (USPHS) + - Las Fuerzas Armadas + - El cuerpo comisionado de la Administración Nacional Oceánica y Atmosférica (NOAA) + - El cuerpo comisionado del Servicio de Salud Pública de los Estados Unidos (USPHS) uniformed_services_checkboxes: Por favor, marca todas las casillas sobre los servicios uniformados que apliquen a ti o a tu cónyuge. - uniformed_services_description: "Los Servicios Uniformados son grupos de personas en roles militares y relacionados. Estos incluyen:" + uniformed_services_description: 'Los Servicios Uniformados son grupos de personas en roles militares y relacionados. Estos incluyen:' uniformed_services_html: Beneficios de jubilación de los Servicios Uniformados uniformed_services_more_info_html: Puedes leer más sobre los servicios uniformados aquí. uniformed_services_qualifying_plan: "¿Estos fueron pagos de un Plan de Beneficios para Sobrevivientes calificado para un beneficiario de un miembro retirado que prestó servicio al menos 20 años o que fue retirado por motivos médicos de los Servicios Uniformados?" @@ -3321,7 +3321,7 @@ es: edit: calculated_use_tax: Ingresa el impuesto sobre uso calculado explanation_html: Si hiciste alguna compra sin pagar impuestos sobre la venta, puede que debas el impuesto sobre el uso de esas compras. Te ayudaremos a saber la cantidad exacta. - select_one: "Selecciona una de las siguientes opciones:" + select_one: 'Selecciona una de las siguientes opciones:' state_specific: nc: manual_instructions_html: (Obtén más información aquí, buscando 'consumer use worksheet). @@ -3333,7 +3333,7 @@ es: use_tax_method_automated: No mantuve un registro completo de todas las compras. Calculen el monto del impuesto sobre uso por mí. use_tax_method_manual: Mantuve un registro completo de todas las compras y haré el cálculo de mi impuesto sobre uso manualmente. what_are_sales_taxes: "¿Qué son los impuestos sobre ventas?" - what_are_sales_taxes_body: "Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado." + what_are_sales_taxes_body: 'Impuesto sobre ventas: Este es un impuesto recaudado en el punto de venta cuando compras bienes dentro de tu estado.' what_are_use_taxes: "¿Qué son los impuestos sobre uso?" what_are_use_taxes_body: Si compras algo de otro estado (como compras en línea o en una tienda ubicada en otro estado) y no pagas el impuesto sobre ventas, generalmente se requiere que pagues el impuesto sobre uso a tu estado de residencia. nc_spouse_state_id: @@ -3358,7 +3358,7 @@ es: account_type: label: Tipo de cuenta bancaria after_deadline_default_withdrawal_info: Debido a que está presentando su declaración el o después del %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, el estado retirará su pago tan pronto como procesen su declaración. - bank_title: "Por favor, comparte los detalles de tu cuenta bancaria:" + bank_title: 'Por favor, comparte los detalles de tu cuenta bancaria:' confirm_account_number: Confirma el número de cuenta confirm_routing_number: Confirma el número de ruta bancaria (routing number) date_withdraw_text: "¿Cuándo te gustaría que se retiren los fondos de tu cuenta? (debe ser antes o en el día del %{withdrawal_deadline_date} de %{with_drawal_deadline_year}):" @@ -3401,7 +3401,7 @@ es: filer_pays_tuition_books: Yo (o mi cónyuge, si presentamos una declaración conjunta) pago al menos la mitad de la matrícula y los costos universitarios de %{dependent_first}. full_time_college_helper_description: '"Tiempo completo" (full time) es lo que la universidad considere como tiempo completo. Esto se puede encontrar en el estado de cuenta de matrícula 1098 T.' full_time_college_helper_heading: ¿Qué cuenta como "asistir a la universidad a tiempo completo"? - reminder: "Recordatorio: marca las casillas correspondientes a continuación para cada dependiente, si corresponde." + reminder: 'Recordatorio: marca las casillas correspondientes a continuación para cada dependiente, si corresponde.' subtitle_html: "

    Solo puedes reclamar esto para los dependientes que figuran en tu declaración.

    \n

    Marca las casillas para cada dependiente, si corresponde.

    \n

    Luego, reclamaremos una exención de $1,000 por cada estudiante dependiente que califique.

    \n" title: Puedes calificar para exenciones de impuestos por cualquier dependiente menor de 22 años que asista a la universidad. tuition_books_helper_description_html: Para calcular el monto total, suma el costo de la matrícula universitaria, el costo de los libros (y materiales) y cualquier dinero ganado por el/la estudiante en programas de trabajo y estudio universitarios. No incluyas otra ayuda financiera recibida. @@ -3417,7 +3417,7 @@ es: edit: continue: Haz clic en "Continuar" si todas estas personas tenían seguro médico. coverage_heading: "¿Qué es el seguro de salud con cobertura mínima esencial?" - label: "Marca todas las personas que NO tuvieron seguro médico:" + label: 'Marca todas las personas que NO tuvieron seguro médico:' title_html: Por favor, dinos qué dependientes no tuvieron seguro médico (con cobertura médica mínima esencial) en %{filing_year}. nj_disabled_exemption: edit: @@ -3429,7 +3429,7 @@ es: edit: helper_contents_html: "

    Eres el hijo/a calificado/a de otro contribuyente para el Crédito Tributario por Ingresos del Trabajo de New Jersey (NJEITC) en %{filing_year} si se cumplen todas estas condiciones:

    \n
      \n
    1. Eres:\n
        \n
      • el/la hijo/a, hijastro/a, hijo/a adoptivo/a o descendiente de alguno de ellos, o
      • \n
      • Hermano/a, medio hermano/a, hermanastro/a o descendiente de alguno de ellos
      • \n
      \n
    2. \n
    3. Tú eras: \n
        \n
      • Menor de 19 años al final del año y menor que esa persona (o el cónyuge de esa persona, si presentaron una declaración conjunta), o
      • \n
      • Menor de 24 años al final del año, estudiante y menor que esa persona (o el cónyuge de esa persona, si presentaron una declaración conjunta), o
      • \n
      • De cualquier edad y tuviste una discapacidad permanente que te impidió trabajar y ganar dinero
      • \n
      \n
    4. \n
    5. Viviste con esa persona en los Estados Unidos durante más de 6 meses en %{filing_year}.
    6. \n
    7. No estás presentando una declaración conjunta con tu cónyuge para el año. O estás presentando una declaración conjunta con tu cónyuge solo para obtener un reembolso del dinero que pagaste por impuestos.
    8. \n
    \n

    Si todas estas afirmaciones son ciertas, eres el hijo/a calificado/a de otro contribuyente para el NJEITC. Esto es así incluso si no reclaman el crédito o no cumplen con todas las reglas para reclamarlo.

    \n

    Si solo algunas de estas afirmaciones son ciertas, NO eres el hijo/a calificado/a de otro contribuyente para el NJEITC.

    " helper_heading: "¿Cómo sé si podría ser el hijo/a calificado/a de otra persona para el NJEITC?" - instructions: "Nota: podrías obtener el crédito estatal incluso si no calificaste para el federal." + instructions: 'Nota: podrías obtener el crédito estatal incluso si no calificaste para el federal.' primary_eitc_qualifying_child_question: En %{filing_year}, ¿podrías ser el hijo/a calificado/a de otra persona para el Crédito Tributario por Ingresos del Trabajo de New Jersey (NJEITC)? spouse_eitc_qualifying_child_question: En %{filing_year}, ¿podría tu cónyuge ser el hijo/a calificado/a de otra persona para el NJEITC? title: Puedes ser elegible para el Crédito Tributario por Ingreso del Trabajo de New Jersey (NJEITC por sus siglas en inglés). @@ -3460,7 +3460,7 @@ es: - label: "Total:" + label: 'Total:' title: Por favor, dinos si ya pagaste parte de tus impuestos estatales de New Jersey de %{filing_year}. nj_gubernatorial_elections: edit: @@ -3557,7 +3557,7 @@ es:
  • Gastos que fueron reembolsados por tu plan de seguro médico.
  • do_not_claim: Si no deseas reclamar esta deducción, haz clic en "Continuar". - label: "Ingresa el total de gastos médicos no reembolsados pagados en %{filing_year}:" + label: 'Ingresa el total de gastos médicos no reembolsados pagados en %{filing_year}:' learn_more_html: |-

    "Gastos médicos" significa pagos no reembolsados por costos como:

      @@ -3585,18 +3585,18 @@ es: title: Confirma tu Identidad (Opcional) nj_retirement_income_source: edit: - doc_1099r_label: "1099-R:" + doc_1099r_label: '1099-R:' helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: "Select the source of this income:" + label: 'Select the source of this income:' option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: "Taxable Amount:" - taxpayer_name_label: "Taxpayer Name:" + taxable_amount_label: 'Taxable Amount:' + taxpayer_name_label: 'Taxpayer Name:' title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3625,13 +3625,13 @@ es: property_tax_paid: Impuestos sobre la propiedad pagados en %{filing_year} rent_paid: Alquiler pagado en %{filing_year} retirement_income_source: 1099-R Retirement Income Source - retirement_income_source_doc_1099r_label: "1099-R:" - retirement_income_source_label: "Source:" + retirement_income_source_doc_1099r_label: '1099-R:' + retirement_income_source_label: 'Source:' retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: "Taxable Amount:" - retirement_income_source_taxpayer_name_label: "Taxpayer Name:" + retirement_income_source_taxable_amount_label: 'Taxable Amount:' + retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' reveal: 15_wages_salaries_tips: Salarios, sueldos, propinas 16a_interest_income: Ingreso total @@ -3663,7 +3663,7 @@ es: year_of_death: Año de fallecimiento del cónyuge nj_sales_use_tax: edit: - followup_radio_label: "Selecciona una de las siguientes:" + followup_radio_label: 'Selecciona una de las siguientes:' helper_description_html: "

      Esto se aplica a las compras online donde no se aplicó el impuesto sobre ventas o uso. (Amazon y muchos otros minoristas aplican impuestos).

      \n

      También se aplica a los artículos o servicios comprados fuera del estado, en un estado donde no había impuesto sobre las ventas o la tasa del impuesto sobre las ventas era inferior a la tasa de New Jersey del 6.625%.

      \n

      (Revisa esta página para obtener más detalles.)

      \n" helper_heading: "¿A qué tipo de artículos o servicios se aplica esto?" manual_use_tax_label_html: "Ingresa el monto total del impuesto sobre uso (Use Tax)" @@ -3829,7 +3829,7 @@ es: edit: calculated_use_tax: Ingresa el impuesto de uso calculado. (Redondea al número entero más cercano.) enter_valid_dollar_amount: Ingresa una cantidad en dólares entre 0 y 1699. - select_one: "Selecciona una de las siguientes opciones:" + select_one: 'Selecciona una de las siguientes opciones:' subtitle_html: Esto incluye compras en línea donde no se aplicaron impuestos sobre las ventas o el uso. title: many: "¿Usted o su cónyuge realizaron alguna compra fuera del estado en %{year} sin pagar impuestos sobre ventas o de uso?" @@ -3872,7 +3872,7 @@ es: many: Mi cónyuge y yo vivimos en la ciudad de Nueva York durante parte del año, o vivimos en la ciudad de Nueva York durante diferentes períodos. one: Viví en la ciudad de Nueva York durante parte del año other: Mi cónyuge y yo vivimos en la ciudad de Nueva York durante parte del año, o vivimos en la ciudad de Nueva York durante diferentes períodos. - title: "Selecciona tu estado de residencia en la ciudad de Nueva York durante el %{year}:" + title: 'Selecciona tu estado de residencia en la ciudad de Nueva York durante el %{year}:' pending_federal_return: edit: body_html: Lamentamos hacerte esperar.

      Recibirás un correo electrónico de IRS Direct File cuando tu declaración de impuestos federales sea aceptada, con un enlace para traerte de regreso aquí. Revisa tu carpeta de spam. @@ -3932,7 +3932,7 @@ es: download_voucher: Descarga e imprime el formulario de comprobante de pago completado. feedback: Valoramos sus comentarios; háganos saber lo que piensa de esta herramienta. include_payment: Incluir el formulario de comprobante de pago. - mail_voucher_and_payment: "Envía el formulario de comprobante de pago y tu pago por correo postal a:" + mail_voucher_and_payment: 'Envía el formulario de comprobante de pago y tu pago por correo postal a:' md: refund_details_html: | Puedes verificar el estado de tu reembolso visitando www.marylandtaxes.gov y haciendo clic en “Where is my refund?” También puedes llamar a la línea de consulta automatizada de reembolsos al 1-800-218-8160 (sin cargo) o al 410-260-7701. @@ -3955,7 +3955,7 @@ es: Necesitarás ingresar tu número de seguro social y la cantidad exacta del reembolso.

      También puedes llamar a la línea de consulta de reembolsos sin cargo del Departamento de Ingresos de Carolina del Norte al 1-877-252-4052, disponible las 24 horas del día, los 7 días de la semana. - pay_by_mail_or_moneyorder: "Si vas a enviar tu pago por correo, usando un cheque o giro postal, necesitarás:" + pay_by_mail_or_moneyorder: 'Si vas a enviar tu pago por correo, usando un cheque o giro postal, necesitarás:' refund_details_html: 'Generalmente los reembolsos tardan de 7 a 8 semanas para las declaraciones electrónicas y de 10 a 11 semanas para las declaraciones en papel. Hay algunas excepciones. Para más información, visita el sitio web %{website_name} : ¿Dónde está mi reembolso?' title: Tu declaración de impuestos de %{state_name} de %{filing_year} ha sido aceptada additional_content: @@ -3982,8 +3982,8 @@ es: no_edit: body_html: Desafortunadamente, ha habido un problema con la presentación de su declaración estatal que no se puede resolver con nuestra herramienta. Le recomendamos descargar su declaración para ayudarle en los próximos pasos. Chatea con nosotros o envíanos un correo electrónico a help@fileyourstatetaxes.org para obtener orientación sobre los próximos pasos. title: "¿Qué puedo hacer a continuación?" - reject_code: "Código de Rechazo:" - reject_desc: "Descripción del Rechazo:" + reject_code: 'Código de Rechazo:' + reject_desc: 'Descripción del Rechazo:' title: Lamentablemente, tu declaración de impuestos estatal de %{state_name}de %{filing_year} fue rechazada review: county: Condado donde vivías el 31 de diciembre de %{filing_year} @@ -4003,7 +4003,7 @@ es: your_name: Tu nombre review_header: income_details: Detalles de ingresos - income_forms_collected: "Formulario(s) de ingresos recogidos:" + income_forms_collected: 'Formulario(s) de ingresos recogidos:' state_details_title: Detalles estatales your_refund: La cantidad de tu reembolso your_tax_owed: Los impuestos que debes @@ -4013,15 +4013,13 @@ es: term_2_html: Puedes cancelar el servicio de SMS en cualquier momento. Simplemente envía la palabra "STOP" al 46207. Después de que envíes el mensaje SMS con la palabra "STOP", te enviaremos un SMS para confirmar que te has dado de baja. Después de esto, ya no recibirás más SMS de nuestra parte. Si deseas unirte nuevamente, simplemente responde con la palabra "START" y comenzaremos a enviarte mensajes de texto otra vez. term_3_html: Si en algún momento olvidas qué palabras clave son compatibles, solo envía un mensaje de texto con la palabra"HELP". al 46207. Después de que envíes el SMS con la palabra "HELP", responderemos con instrucciones sobre cómo usar nuestro servicio, así como sobre cómo darte de baja. term_4_html: "Podemos enviar mensajes a los siguientes proveedores de telefonía móvil:" - term_5: "Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile." - term_6: "Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless)." + term_5: 'Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile.' + term_6: 'Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless).' term_7: Los proveedores de telefonía móvil (por ejemplo, AT&T, Verizon, T-Mobile, Sprint, etc.) no son responsables de mensajes no entregados o retrasados. - term_8_html: - 'Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tienes alguna pregunta sobre tu plan de mensajes o plan de datos, es mejor contactar a tu proveedor de telefonía móvil.

      Si tienes preguntas sobre los servicios proporcionados por este código corto, puedes enviar un correo electrónico a help@fileyourstatetaxes.org. + term_8_html: 'Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tienes alguna pregunta sobre tu plan de mensajes o plan de datos, es mejor contactar a tu proveedor de telefonía móvil.

      Si tienes preguntas sobre los servicios proporcionados por este código corto, puedes enviar un correo electrónico a help@fileyourstatetaxes.org. ' - term_9_html: - 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: www.fileyourstatetaxes.org/es/privacy-policy + term_9_html: 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: www.fileyourstatetaxes.org/es/privacy-policy ' title: Por favor, revisa los términos y condiciones de mensajería de FileYourStateTaxes. @@ -4039,12 +4037,12 @@ es: nj_additional_content: body_html: Dijiste que tú están solicitando la exención de veterano/a de guerra. Si es la primera vez que la solicitas, tienes que presentar documentación y completar un formulario de la División de Impuestos del Estado de New Jersey. Puedes cargarlos aquí. body_mfj_html: Dijiste que tú o tu cónyuge están solicitando la exención de veterano/a de guerra. Si es la primera vez que la solicitas, tienes que presentar documentación y completar un formulario de la División de Impuestos del Estado de New Jersey. Puedes cargarlos aquí. - header: "Atención: si está reclamando la exención de veterano/a de guerra por primera vez" + header: 'Atención: si está reclamando la exención de veterano/a de guerra por primera vez' tax_refund: bank_details: account_number: Número de cuenta after_deadline_default_withdrawal_info: Debido al hecho de que estás enviando tu declaración el %{withdrawal_deadline_date} de %{with_drawal_deadline_year} o después, el estado retirará tu pago tan pronto como se procese tu declaración. - bank_title: "Comparte los detalles de tu cuenta bancaria:" + bank_title: 'Comparte los detalles de tu cuenta bancaria:' confirm_account_number: Confirma el número de cuenta confirm_routing_number: Confirma el número de ruta bancaria (routing number) date_withdraw_text: "¿Cuándo te gustaría que se retiren los fondos de tu cuenta? (debe ser antes o en el día del %{withdrawal_deadline_date} de %{with_drawal_deadline_year}):" @@ -4164,7 +4162,7 @@ es: money_boxes_label: Por favor, completa las siguientes casillas según lo que aparece en el Formulario 1099-G. payer_address: Dirección del pagador payer_name: Nombre del pagador - payer_question_html: "Por favor ingresa la información del pagador que se encuentra en la esquina superior izquierda del formulario:" + payer_question_html: 'Por favor ingresa la información del pagador que se encuentra en la esquina superior izquierda del formulario:' payer_tin: Número TIN del pagador (número de 9 dígitos) recipient_my_spouse: Para mi cónyuge recipient_myself: Para mí @@ -4180,7 +4178,7 @@ es: add_another: Agregar otro formulario 1099-G delete_confirmation: "¿Estás seguro de que quieres eliminar este formulario 1099-G?" lets_review: Gracias por compartirnos esa información. Revisémosla. - unemployment_compensation: "Compensación por desempleo: %{amount}" + unemployment_compensation: 'Compensación por desempleo: %{amount}' use_different_service: body: Antes de escoger una opción, asegúrate de que te permita presentar tu declaración de impuestos sólo a nivel estatal. Es probable que necesites volver a ingresar la información de tu declaración de impuestos federales para preparar tu declaración de impuestos estatales. Puede que apliquen tarifas. faq_link: Visita nuestras Preguntas Frecuentes @@ -4307,7 +4305,7 @@ es: cookies_3: Usamos cookies y otras tecnologías como etiquetas de píxeles para recordar tus preferencias, mejorar tu experiencia en línea y recopilar datos sobre cómo usas nuestro sitio para mejorar la forma en que brindamos nuestro contenido y programas. cookies_4: La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si deseas restringir o bloquear las cookies que establece nuestro sitio, u cualquier otro sitio, puedes hacerlo a través de la configuración de tu navegador. La función 'Ayuda' de tu navegador debería explicar cómo hacerlo. Alternativamente, puedes visitar www.aboutcookies.org, que contiene información completa sobre cómo hacerlo en una amplia variedad de navegadores. Encontrarás información general sobre cookies y detalles sobre cómo eliminar cookies de tu máquina. cookies_header: Cookies - data_retention_1: "Retendremos tu información mientras sea necesario para: proporcionarte servicios, operar nuestro negocio de acuerdo con esta Notificación, o demostrar el cumplimiento de las leyes y obligaciones legales." + data_retention_1: 'Retendremos tu información mientras sea necesario para: proporcionarte servicios, operar nuestro negocio de acuerdo con esta Notificación, o demostrar el cumplimiento de las leyes y obligaciones legales.' data_retention_2: Si ya no deseas continuar con la aplicación con FileYourStateTaxes y solicitas eliminar tu información de nuestros servicios antes de enviar la solicitud, eliminaremos o desidentificaremos tu información dentro de los 90 días posteriores a la terminación de los servicios, a menos que la ley nos exija retener tu información. En ese caso, solo retendremos tu información durante el tiempo requerido por dicha ley. data_retention_header: Retención de datos effective_date: Esta versión de la política es efectiva a partir del 15 de enero de 2024. @@ -4316,7 +4314,7 @@ es: header_1_html: FileYourStateTaxes.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los contribuyentes a presentar sus impuestos estatales después de usar el servicio Direct File del IRS. header_2_html: Esta Política de Privacidad describe cómo recopilamos, usamos, compartimos y protegemos tu información personal. Al usar nuestros servicios, aceptas los términos de esta Política de Privacidad. Esta Notificación de Privacidad se aplica independientemente del tipo de dispositivo que utilices para acceder a nuestros servicios. header_3_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en help@fileyourstatetaxes.org - how_we_collect_your_info: "Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar:" + how_we_collect_your_info: 'Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar:' how_we_collect_your_info_header: Cómo recogemos tu información how_we_collect_your_info_item_1: Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios how_we_collect_your_info_item_2: Nos comparten documentos para usar nuestros servicios @@ -4325,13 +4323,13 @@ es: independent_recourse_header: Cómo apelar una decisión info_collect_1_html: 'No vendemos tu información personal. No compartimos tu información personal con ningún tercero, excepto según se establece en esta Política de Privacidad y de conformidad con el 26 CFR 301.7216-2. De conformidad con la regulación, podemos usar o divulgar tu información en los siguientes casos:' info_collect_item_1: Para análisis e informes, es posible que compartamos información agregada limitada con agencias gubernamentales u otros terceros, incluido el IRS o los departamentos estatales de ingresos, para analizar el uso de nuestros servicios, con el fin de mejorar y ampliar nuestros servicios. Dicho análisis siempre se realiza usando datos anonimados, y la información nunca se divulga en conjuntos menores a diez declaraciones. - info_collect_item_2: "Para investigación que buscan mejorar nuestros productos de declaración de impuestos, incluido:" + info_collect_item_2: 'Para investigación que buscan mejorar nuestros productos de declaración de impuestos, incluido:' info_collect_item_2_1: Para invitarte a completar cuestionarios sobre tu experiencia usando nuestro servicio. info_collect_item_2_2: Para enviarte oportunidades para participar en sesiones pagas de investigación de usuarios, para aprender más sobre tu experiencia usando nuestro servicio y para orientar el desarrollo de futuros productos sin costo de declaración de impuestos. info_collect_item_3_html: Para notificarte sobre la disponibilidad de servicios gratuitos de declaración de impuestos en el futuro. info_collect_item_4: Si es necesario, es posible que divulguemos tu información a contratistas que nos ayuden a brindar nuestros servicios. Exigimos que nuestros terceros que actúan en nuestro nombre mantengan segura tu información personal y no permitimos que estos terceros utilicen o compartan tu información personal para ningún otro fin que no sea brindar servicios en nuestro nombre. - info_collect_item_5: "Cumplimiento legal: En ciertas situaciones, es posible que se nos requiera compartir datos personales en respuesta a solicitudes legítimas de autoridades públicas, incluyendo para cumplir con requisitos de seguridad nacional o de aplicación de la ley. También puede que compartamos tu información personal según lo exigido por la ley, como para cumplir con una citación u otro proceso legal, cuando creamos de buena fe que la divulgación es necesaria para proteger nuestros derechos, proteger tu seguridad o la seguridad de otros, investigar fraudes o responder a una solicitud gubernamental." - info_we_collect_1: "Seguimos el principio de Minimización de Datos en la recolección y uso de tu información personal. Puede que obtengamos la siguiente información sobre ti, tus dependientes o miembros de tu hogar:" + info_collect_item_5: 'Cumplimiento legal: En ciertas situaciones, es posible que se nos requiera compartir datos personales en respuesta a solicitudes legítimas de autoridades públicas, incluyendo para cumplir con requisitos de seguridad nacional o de aplicación de la ley. También puede que compartamos tu información personal según lo exigido por la ley, como para cumplir con una citación u otro proceso legal, cuando creamos de buena fe que la divulgación es necesaria para proteger nuestros derechos, proteger tu seguridad o la seguridad de otros, investigar fraudes o responder a una solicitud gubernamental.' + info_we_collect_1: 'Seguimos el principio de Minimización de Datos en la recolección y uso de tu información personal. Puede que obtengamos la siguiente información sobre ti, tus dependientes o miembros de tu hogar:' info_we_collect_header: Información que recogemos info_we_collect_item_1: Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico info_we_collect_item_10: Información del hogar y información sobre tu cónyuge, si corresponde @@ -4378,14 +4376,14 @@ es: body_1: Cuando optes por el servicio, te enviaremos un mensaje SMS para confirmar tu registro. También le enviaremos mensajes de texto con actualizaciones sobre su declaración de impuestos (la frecuencia de los mensajes variará) y/o códigos OTP/2FA (un mensaje por solicitud). body_2_html: Puedes cancelar el servicio de SMS en cualquier momento. Simplemente envíe "STOP" al 46207. Después de enviarnos el mensaje SMS "STOP", le enviaremos un mensaje SMS para confirmar que se ha cancelado su suscripción. Después de esto, ya no recibirás más mensajes SMS de nuestra parte. Si desea unirse nuevamente, simplemente responda "START" y comenzaremos a enviarle mensajes SMS nuevamente. body_3_html: Si en algún momento olvida qué palabras clave son compatibles, simplemente envíe "HELP" al 46207. Después de enviarnos el mensaje SMS "HELP", le responderemos con instrucciones sobre cómo utilizar nuestro servicio y cómo cancelar la suscripción. - body_4: "Podemos entregar mensajes a los siguientes proveedores de telefonía móvil:" + body_4: 'Podemos entregar mensajes a los siguientes proveedores de telefonía móvil:' body_5a: Como siempre, pueden aplicar tarifas por mensajes y datos para cualquier mensaje que te enviemos y que nos envíes. Si tiene alguna pregunta sobre tu plan de mensajes de texto o de datos, es mejor contactar a tu proveedor de telefonía móvil. body_5b_html: Para todas las preguntas sobre los servicios proporcionados por este código corto, puede enviar un correo electrónico a help@fileyourstatetaxes.org. body_6_html: 'Si tienes alguna pregunta sobre la privacidad, por favor lee nuestra política de privacidad: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Los proveedores (por ejemplo, AT&T, Verizon, T-Mobile, Sprint, etc.) no son responsables de los mensajes no entregados o retrasados. header: FileYourStateTaxes términos y condiciones de mensajería de texto - major_carriers: "Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile." - minor_carriers: "Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless)." + major_carriers: 'Proveedores principales: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel y Virgin Mobile.' + minor_carriers: 'Proveedores menores: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated o CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, y West Central (WCC o 5 Star Wireless).' state_information_service: az: department_of_taxation: Departamento de Ingresos de Arizona @@ -4412,7 +4410,7 @@ es: atin: Por favor, ingrese un número de identificación fiscal válido de adopción. ctds_code: El código escolar/CTDS debe ser un número de 9 dígitos. dollar_limit: Este monto no puede superar los $%{limit}. Si lo hace, por favor pide asistencia mediante el chat para obtener más información. - ein: "El EIN, o en español: Número de Identificación del Empleador, debe ser un número de 9 dígitos." + ein: 'El EIN, o en español: Número de Identificación del Empleador, debe ser un número de 9 dígitos.' file_type: Por favor sube un tipo de documento válido. Los tipos aceptados incluyen %{valid_types} file_zero_length: Sube un archivo válido. El archivo que cargó parece estar vacío. ip_pin: El IP PIN debe ser un número de 6 dígitos. @@ -4492,7 +4490,7 @@ es: Alguien intentó iniciar una sesión en GetCTC con este número de teléfono. Si ya tiene una cuenta con GetCTC, puede intentar iniciar una sesión con su correo electrónico %{url}/portal/iniciar sesión. O visite %{url}y haga clic en "Presentar su declaración simplificada ahora" para empezar. no_match_gyr: "Alguien intentó iniciar una sesión en GetYourRefund con este número de teléfono, pero no pudimos verificar sus credenciales. Se registró con un número de teléfono diferente? \nTambién puede visitar %{url}para empezar.\n" - with_code: "Tu código de %{service_name} verificación de 6 dígitos es: %{verification_code}. Este código expirará después de 10 minutos." + with_code: 'Tu código de %{service_name} verificación de 6 dígitos es: %{verification_code}. Este código expirará después de 10 minutos.' views: consent_pages: consent_to_disclose: @@ -4572,8 +4570,8 @@ es: contact_ta: Contactar Defensores del Contribuyente contact_vita: Contactar un sitio de VITA content_html: - - Para comprobar el estado de su declaración de impuestos de %{current_tax_year}, puede iniciar sesión en su cuenta en línea del IRS. - - Si necesita apoyo adicional, puede comunicarse con un sitio de Asistencia Voluntaria de Impuestos sobre la Renta (VITA) o el Servicio de Defensa del Contribuyente. + - Para comprobar el estado de su declaración de impuestos de %{current_tax_year}, puede iniciar sesión en su cuenta en línea del IRS. + - Si necesita apoyo adicional, puede comunicarse con un sitio de Asistencia Voluntaria de Impuestos sobre la Renta (VITA) o el Servicio de Defensa del Contribuyente. title: Desafortunadamente, no puede usar GetCTC porque ya presentó una declaración de impuestos de %{current_tax_year}. portal: bank_account: @@ -4604,7 +4602,7 @@ es: title: Edita tu dirección messages: new: - body_label: "Escriba su mensaje a continuación:" + body_label: 'Escriba su mensaje a continuación:' title: Contáctenos wait_time: Por favor espere 3 días hábiles para recibir una respuesta. primary_filer: @@ -4615,7 +4613,7 @@ es: prior_tax_year_agi: edit: help_text: Puede encontrar esta información en la línea 11 de su declaración de impuestos %{prior_tax_year}. Ingrese la cantidad correcta de su declaración del %{prior_tax_year} o su declaración será rechazada. - label: "El Ingreso Bruto Ajustado para %{prior_tax_year} en inglés: AGI" + label: 'El Ingreso Bruto Ajustado para %{prior_tax_year} en inglés: AGI' title: 'Edite su ingreso bruto ajustado, en inglés: "Adjusted Gross Income" para %{prior_tax_year}' spouse: help_text: Confirmar / editar la información básica de su cónyuge @@ -4623,7 +4621,7 @@ es: spouse_prior_tax_year_agi: edit: help_text: Puede encontrar esta información en la línea 11 de la declaración de impuestos de su cónyuge del %{prior_tax_year}. Ingrese la cantidad correcta o su declaración será rechazada. - label: "El Ingreso Bruto Ajustado, en inglés: AGI del cónyuge para %{prior_tax_year}" + label: 'El Ingreso Bruto Ajustado, en inglés: AGI del cónyuge para %{prior_tax_year}' title: Edite el ingreso bruto ajustado de su cónyuge de %{prior_tax_year} submission_pdfs: not_ready: Se está generando el pdf de su declaración de impuestos. Espere unos segundos y actualice la página. @@ -4631,7 +4629,7 @@ es: i_dont_have_id: No tengo identificación, o ID id: Su licencia de manejar o tarjeta de identificación del estado, o ID id_label: Identificación con foto - info: "Para proteger su identidad y verificar su información, necesitaremos que envíe las dos siguientes fotos:" + info: 'Para proteger su identidad y verificar su información, necesitaremos que envíe las dos siguientes fotos:' paper_file: download_link_text: Descargar el formulario 1040 go_back: Entregar en cambio mi identificación, o ID @@ -4665,8 +4663,8 @@ es: title: "¿Recibió algún pago por adelantado del Crédito Tributario por Hijos del IRS en 2021?" question: "¿Recibió esta cantidad?" title: "¿Recibió un total de $%{adv_ctc_estimate} en los pagos adelantados del Crédito Tributario por Hijos en 2021?" - total_adv_ctc: "Estimamos que usted habrá recibido:" - total_adv_ctc_details_html: "por estos dependientes:" + total_adv_ctc: 'Estimamos que usted habrá recibido:' + total_adv_ctc_details_html: 'por estos dependientes:' yes_received: Recibí esta cantidad advance_ctc_amount: details_html: | @@ -4685,15 +4683,15 @@ es: correct: Corregir la cantidad que recibí no_file: No necesito presentar una declaración de impuestos content: - - Usted indicó %{amount_received} para la cantidad total de los pagos adelantados del Crédito Tributario por Hijos que recibió en 2021. - - Si está correcta, no recibirá ningún Crédito Tributario por Hijos, y es probable que no tenga que terminar de presentar este formulario para presentar su declaración. + - Usted indicó %{amount_received} para la cantidad total de los pagos adelantados del Crédito Tributario por Hijos que recibió en 2021. + - Si está correcta, no recibirá ningún Crédito Tributario por Hijos, y es probable que no tenga que terminar de presentar este formulario para presentar su declaración. title: Ya no hay más Crédito Tributario por Hijos para reclamar. advance_ctc_received: already_received: Cantidad que recibió ctc_owed_details: Si la cantidad que ha anotado es incorrecta, su reembolso de impuestos podría retrasarse mientras el IRS hace las correcciones en su declaración. - ctc_owed_title: "Tiene derecho a recibir esta cantidad adicional:" + ctc_owed_title: 'Tiene derecho a recibir esta cantidad adicional:' title: Muy bien. Hemos calculado su Crédito Tributario por Hijos. - total_adv_ctc: "Total del Pago por Adelantado del Crédito Tributario por Hijos: %{amount}" + total_adv_ctc: 'Total del Pago por Adelantado del Crédito Tributario por Hijos: %{amount}' already_completed: content_html: |

      Ha completado todas las preguntas de admisión y estamos revisando y presentando su declaración de impuestos.

      @@ -4710,17 +4708,17 @@ es:

      Si recibió una noticia del IRS este año sobre su planilla (Carta 5071C, Carta 6331C, o Carta 12C), entonces ya radicó una planilla federal con el IRS este año.

      Nota: una planilla federal con el IRS es diferente de una planilla de Puerto Rico que habrá radicado con el Departamento de Hacienda.

      reveal: - content_title: "Si recibió una de estas cartas, ya ha radicado una planilla federal:" + content_title: 'Si recibió una de estas cartas, ya ha radicado una planilla federal:' list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: Recibí otra carta del IRS. ¿Significa que ya radiqué la planilla federal? title: "¿Radicó una planilla federal de %{current_tax_year} al IRS este año?" title: "¿Declaró este año los impuestos para %{current_tax_year}?" @@ -4743,9 +4741,9 @@ es: help_text: El Crédito Tributario por Ingreso del Trabajo (EITC, por sus siglas en inglés) es un crédito tributario que puede darle hasta $6,700. info_box: list: - - Tenías un trabajo ganando dinero en %{current_tax_year} - - Cada persona en esta declaración tiene un SSN - title: "Requisitos:" + - Tenías un trabajo ganando dinero en %{current_tax_year} + - Cada persona en esta declaración tiene un SSN + title: 'Requisitos:' title: "¿Le gustaría reclamar más dinero compartiendo algún formulario W-2 de 2021?" confirm_bank_account: bank_information: La información de su banco @@ -4753,7 +4751,7 @@ es: confirm_dependents: add_a_dependent: Agregar un dependiente birthday: fecha de nacimiento - done_adding: "Termine de agregar dependientes " + done_adding: 'Termine de agregar dependientes ' subtitle: Estos son los créditos para los que sus dependientes son elegibles en %{current_tax_year}. Tenga en cuenta que cada crédito tiene su propio conjunto de reglas de elegibilidad. title: Confirmemos sus dependientes confirm_information: @@ -4783,20 +4781,20 @@ es: ctc_due: Crédito Tributario por Hijos (CTC) do_not_file: No presente sus impuestos do_not_file_flash_message: "¡Gracias por haber utilizado GetCTC! No presentaremos su declaración." - eitc: "Crédito Tributario por Ingreso del Trabajo (EITC):" - fed_income_tax_withholding: "Impuesto Retenido:" + eitc: 'Crédito Tributario por Ingreso del Trabajo (EITC):' + fed_income_tax_withholding: 'Impuesto Retenido:' subtitle: "¡Ya casi terminas! Por favor revisa la información que tenemos" third_stimulus: Tercer Pago de Estímulo - title: "Revise esta lista de los pagos que está reclamando:" - total: "Reembolso total:" + title: 'Revise esta lista de los pagos que está reclamando:' + total: 'Reembolso total:' confirm_primary_prior_year_agi: - primary_prior_year_agi: "Sus Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year}" + primary_prior_year_agi: 'Sus Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year}' confirm_spouse_prior_year_agi: - spouse_prior_year_agi: "Los Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year} de su cónyuge" + spouse_prior_year_agi: 'Los Ingresos Brutos Estimados o en inglés: AGI para %{prior_tax_year} de su cónyuge' contact_preference: body: Le enviaremos un código para verificar su información de contacto y así poder enviarle información actualizada sobre su declaración de impuestos. ¡Por favor, seleccione la opción que mejor prefiera! email: Envíenme correos electrónicos - sms_policy: "Aviso: Se aplican las tarifas estándar de los mensajes SMS. No compartiremos su información con terceros." + sms_policy: 'Aviso: Se aplican las tarifas estándar de los mensajes SMS. No compartiremos su información con terceros.' text: Envíenme un mensaje de texto title: "¿Cuál es la mejor manera de contactarte?" dependents: @@ -4806,8 +4804,8 @@ es: child_claim_anyway: help_text: list: - - Quien haya vivido con %{name} durante más tiempo en %{current_tax_year} tiene derecho a reclamarlos. - - Si ambos pasaron el mismo tiempo viviendo con %{name} en %{current_tax_year}, el padre que ganó más dinero en %{current_tax_year} puede reclamar %{name}. + - Quien haya vivido con %{name} durante más tiempo en %{current_tax_year} tiene derecho a reclamarlos. + - Si ambos pasaron el mismo tiempo viviendo con %{name} en %{current_tax_year}, el padre que ganó más dinero en %{current_tax_year} puede reclamar %{name}. p1: Si usted y la otra persona que podría reclamar al dependiente son ambos sus padres legales... p2: Si usted es el padre legal de %{name} y la otra persona que podría reclamarlos no lo es, entonces puede reclamarlos. legal_parent_reveal: @@ -4828,7 +4826,7 @@ es: info: Un médico determina que usted tiene una discapacidad permanente cuando no puede realizar la mayor parte de su trabajo debido a una condición física o mental. title: "¿Cuál es la definición de discapacidad total y permanente?" full_time_student: " %{name} fue estudiante a tiempo completo" - help_text: "Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:" + help_text: 'Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:' permanently_totally_disabled: "%{name} estuvo permanente y totalmente incapacitado" student_reveal: info_html: | @@ -4841,10 +4839,10 @@ es: reveal: body: Si su dependiente estuvo en un lugar temporal en 2021, seleccione el número de meses que su casa fue su dirección oficial. list: - - escuela - - centro médico - - centro de detención juvenil - list_title: "Algunos ejemplos de lugares temporales:" + - escuela + - centro médico + - centro de detención juvenil + list_title: 'Algunos ejemplos de lugares temporales:' title: "¿Qué pasa si mi dependiente estuvo fuera durante una temporada en 2021?" select_options: eight: 8 meses @@ -4862,31 +4860,31 @@ es: does_my_child_qualify_reveal: content: list_1: - - Su hijo de acogida/crianza debe haber sido colocado con usted mediante un acuerdo formal con una agencia de acogida o una orden judicial. + - Su hijo de acogida/crianza debe haber sido colocado con usted mediante un acuerdo formal con una agencia de acogida o una orden judicial. list_2: - - Si ha adoptado legalmente o está en proceso de adoptar legalmente a su hijo, seleccione 'hijo' o 'hija' + - Si ha adoptado legalmente o está en proceso de adoptar legalmente a su hijo, seleccione 'hijo' o 'hija' p1: "¿Quién cuenta como hijo de acogida/crianza?" p2: "¿Qué pasa si tengo un hijo adoptado?" title: "¿Mi niño califica?" does_not_qualify_ctc: conditions: - - La persona que intenta declarar podría haber nacido en %{filing_year}. Sólo puede declarar a dependientes nacidos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. - - La persona que intenta declarar podría ser demasiado mayor para ser su dependiente. Excepto en algunos casos específicos, su dependiente tiene que ser menor de 19 años, o menor de 24 si es estudiante. - - Es posible que la persona que intenta declarar no tenga la relación adecuada con usted para ser su dependiente. En la mayoría de los casos, su dependiente tiene que ser su hijo, nieto, sobrino o sobrina. En otros casos limitados, puede reclamar a otros familiares cercanos. - - Es posible que la persona a la que intenta declarar no viva con usted suficiente tiempo durante el año. En la mayoría de los casos, su dependiente debe vivir con usted la mayor parte del año. - - Puede ser que la persona a la que intenta declarar sea económicamente independiente. En la mayoría de los casos, su dependiente no puede pagar sus propios gastos de subsistencia. - - Puede ser que la persona que intenta declarar sea dependiente de otra persona y no el suyo. Sólo un hogar puede declarar a un determinado dependiente. + - La persona que intenta declarar podría haber nacido en %{filing_year}. Sólo puede declarar a dependientes nacidos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. + - La persona que intenta declarar podría ser demasiado mayor para ser su dependiente. Excepto en algunos casos específicos, su dependiente tiene que ser menor de 19 años, o menor de 24 si es estudiante. + - Es posible que la persona que intenta declarar no tenga la relación adecuada con usted para ser su dependiente. En la mayoría de los casos, su dependiente tiene que ser su hijo, nieto, sobrino o sobrina. En otros casos limitados, puede reclamar a otros familiares cercanos. + - Es posible que la persona a la que intenta declarar no viva con usted suficiente tiempo durante el año. En la mayoría de los casos, su dependiente debe vivir con usted la mayor parte del año. + - Puede ser que la persona a la que intenta declarar sea económicamente independiente. En la mayoría de los casos, su dependiente no puede pagar sus propios gastos de subsistencia. + - Puede ser que la persona que intenta declarar sea dependiente de otra persona y no el suyo. Sólo un hogar puede declarar a un determinado dependiente. help_text: No guardamos a %{name} en su declaración de impuestos. Ellos no califican para ningún crédito tributario. puerto_rico: affirmative: Sí, agregar otro niño conditions: - - La persona que está tratando de reclamar podría ser demasiado mayor para calificar para CTC. Deben tener 17 años o menos al final de %{current_tax_year}. - - La persona que intenta reclamar podría haber nacido en %{filing_year}. Solo puede reclamar hijos que estaban vivos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. - - Es posible que la persona que está tratando de reclamar no tenga la relación correcta con usted para calificar para CTC. Debe ser su hijo, su hermano/a o un descendiente de uno de ellos. - - Es posible que la persona que está tratando de reclamar no vive con usted la mayor parte del año. En la mayoría de los casos, solo puede reclamar a los niños que viven con usted la mayor parte del año. - - La persona que está tratando de reclamar podría ser económicamente independiente. En la mayoría de los casos, solo puede reclamar a los niños si no pagan sus propios gastos de manutención. - - La persona que está tratando de reclamar podría ser el hijo de otra persona, no el suyo. Solo un hogar puede reclamar a un niño determinado. - - Es posible que la persona que está tratando de reclamar no tenga un Número de Seguro Social (SSN) válido. Para ser elegible para CTC, deben tener un Número de Seguro Social que sea válido para el empleo. + - La persona que está tratando de reclamar podría ser demasiado mayor para calificar para CTC. Deben tener 17 años o menos al final de %{current_tax_year}. + - La persona que intenta reclamar podría haber nacido en %{filing_year}. Solo puede reclamar hijos que estaban vivos en %{current_tax_year} en su declaración de impuestos de %{current_tax_year}. + - Es posible que la persona que está tratando de reclamar no tenga la relación correcta con usted para calificar para CTC. Debe ser su hijo, su hermano/a o un descendiente de uno de ellos. + - Es posible que la persona que está tratando de reclamar no vive con usted la mayor parte del año. En la mayoría de los casos, solo puede reclamar a los niños que viven con usted la mayor parte del año. + - La persona que está tratando de reclamar podría ser económicamente independiente. En la mayoría de los casos, solo puede reclamar a los niños si no pagan sus propios gastos de manutención. + - La persona que está tratando de reclamar podría ser el hijo de otra persona, no el suyo. Solo un hogar puede reclamar a un niño determinado. + - Es posible que la persona que está tratando de reclamar no tenga un Número de Seguro Social (SSN) válido. Para ser elegible para CTC, deben tener un Número de Seguro Social que sea válido para el empleo. help_text: No guardaremos %{name} en su planilla. No califica para el Crédito Tributario por Hijos. negative: No, continuar title: No puede reclamar el Crédito Tributario por Hijos por %{name}. ¿Le gustaría agregar a alguien más? @@ -4899,7 +4897,7 @@ es: last_name: Apellido legal middle_initial: Segundo nombre(s) legal (opcional) relationship_to_you: "¿Qué relación tiene con usted?" - situations: "Seleccione si lo siguiente es cierto:" + situations: 'Seleccione si lo siguiente es cierto:' suffix: Sufijo (opcional) title: "¡Obtengamos información básica sobre esta persona!" relative_financial_support: @@ -4911,7 +4909,7 @@ es: gross_income_reveal: content: El "ingreso bruto" generalmente incluye todos los ingresos recibidos durante el año, incluidos los ingresos ganados y no ganados. Los ejemplos incluyen salarios, dinero en efectivo de su propio negocio o trabajo adicional, ingresos por desempleo o ingresos del Seguro Social. title: "¿Qué es el ingreso bruto?" - help_text: "Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:" + help_text: 'Seleccione cualquier situación que haya sido cierta en %{current_tax_year}:' income_requirement: "%{name} ganó menos de $4,300 en ingresos brutos." title: Solamente hay que verificar algunas cosas más. remove_dependent: @@ -4968,7 +4966,7 @@ es: info: Un joven sin hogar calificado es alguien que no tiene hogar o está en riesgo de no tenerlo, y que se mantiene económicamente. Debe tener entre 18-24 años y no puede estar bajo la custodia física de un padre o tutor. title: "¿Soy un joven sin hogar calificado?" not_full_time_student: No era estudiante a tiempo completo - title: "Seleccione cualquiera de las situaciones que fueron verdaderas en %{current_tax_year}:" + title: 'Seleccione cualquiera de las situaciones que fueron verdaderas en %{current_tax_year}:' email_address: title: Favor de compartir su correo electrónico file_full_return: @@ -4977,14 +4975,14 @@ es: help_text2: Si presenta una declaración de impuestos completa, podría recibir beneficios en efectivo adicionales del Crédito Tributario por Ingreso del Trabajo, créditos fiscales estatales y más. help_text_eitc: Si tiene ingresos que se informan en un 1099-NEC o un 1099-K, debe presentar una declaración de impuestos completa. list_1_eitc: - - Crédito Tributario por Hijos - - 3er Pago de Estímulo - - Crédito Tributario por Ingreso del Trabajo - list_1_eitc_title: "Puede presentar una declaración simplificada para reclamar:" + - Crédito Tributario por Hijos + - 3er Pago de Estímulo + - Crédito Tributario por Ingreso del Trabajo + list_1_eitc_title: 'Puede presentar una declaración simplificada para reclamar:' list_2_eitc: - - Pago de estímulo 1 o 2 - - Créditos fiscales estatales o pagos de estímulo estatales - list_2_eitc_title: "No puede usar esta herramienta para reclamar:" + - Pago de estímulo 1 o 2 + - Créditos fiscales estatales o pagos de estímulo estatales + list_2_eitc_title: 'No puede usar esta herramienta para reclamar:' puerto_rico: full_btn: Radicar una planilla de impuestos de Puerto Rico help_text: Esto no es una planilla de Puerto Rico con el Departamento de Hacienda. Si desea reclamar beneficios adicionales (como el Crédito Tributario por Ingreso del Trabajo, cualquier de los pagos de estímulo o otros créditos de Puerto Rico), deberá radicar una planilla de Puerto Rico al Departamento de Hacienda. @@ -4992,9 +4990,9 @@ es: title: Está radicando una planilla federal simplificada para reclamar solo su Crédito Tributario por Hijos. reveal: body_html: - - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. - - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. - - Si se saltó alguno de los primeros o segundos pagos de estímulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. + - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. + - Si se saltó alguno de los primeros o segundos pagos de estímulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. title: "¿Cómo puedo conseguir más información sobre los dos primeros pagos de estímulo?" simplified_btn: Continuar con la declaración simplificada title: En este momento está presentando una declaración de impuestos simplificada para solicitar su Crédito Tributario por Hijos y el tercer pago de estímulo. @@ -5007,7 +5005,7 @@ es: puerto_rico: did_not_file: No, no radiqué una planilla federal al IRS de %{prior_tax_year} filed_full: Sí, radiqué una planilla federal al IRS - note: "Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda." + note: 'Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda.' title: "¿Presentó una planilla de impuestos federal de %{prior_tax_year} con el IRS?" title: "¿Presentó la declaración de impuestos del %{prior_tax_year}?" filing_status: @@ -5028,54 +5026,54 @@ es: title: Para solicitar el Crédito Tributario por Hijos, debe agregar a las personas a su cargo (hijos o otras personas a las que mantiene económicamente) which_relationships_qualify_reveal: content: - - Hijo - - Hija - - Hijastro - - Hijo de acogida/crianza - - Sobrina - - Sobrino - - Nieto - - Medio hermano - - Media hermana - - Hermanastro - - Hermanastra - - Bisnieto - - Padre - - Padrastro - - Abuelo - - Tía - - Tío - - En leyes - - Otros descendientes de mis hermanos - - Otra relación no listada + - Hijo + - Hija + - Hijastro + - Hijo de acogida/crianza + - Sobrina + - Sobrino + - Nieto + - Medio hermano + - Media hermana + - Hermanastro + - Hermanastra + - Bisnieto + - Padre + - Padrastro + - Abuelo + - Tía + - Tío + - En leyes + - Otros descendientes de mis hermanos + - Otra relación no listada content_puerto_rico: - - Hijo - - Hija - - Hijastro - - Niño de acogida - - Sobrina - - Sobrino - - Nieto - - Medio hermano - - Media hermana - - Hermanastro - - Hermanastra - - Bisnieto - - Otros descendientes de mis hermanos + - Hijo + - Hija + - Hijastro + - Niño de acogida + - Sobrina + - Sobrino + - Nieto + - Medio hermano + - Media hermana + - Hermanastro + - Hermanastra + - Bisnieto + - Otros descendientes de mis hermanos title: "¿Qué relaciones califican?" head_of_household: claim_hoh: Declarar estado de Jefe de Familia, "HoH" por sus siglas en inglés. do_not_claim_hoh: No declarar estado de Jefe de Familia, "HoH" por sus siglas en inglés. eligibility_b_criteria_list: - - Un dependiente que sea su hijo, hermano o descendiente de uno de ellos; que viva con usted más de la mitad del año; que tenga menos de 19 años a finales de 2021, o menos de 24 y sea estudiante a tiempo completo, o que tenga una discapacidad permanente; que haya pagado menos de la mitad de sus propios gastos de manutención en 2021; y que no haya presentado la declaración conjuntamente con su cónyuge - - Un padre dependiente que gane menos de $4,300 y para el que usted cubra más de la mitad de sus gastos de manutención - - Otro familiar dependiente que viva con usted más de la mitad del año, que gane menos de $4,300 y para quien usted cubra más de la mitad de sus gastos de manutención + - Un dependiente que sea su hijo, hermano o descendiente de uno de ellos; que viva con usted más de la mitad del año; que tenga menos de 19 años a finales de 2021, o menos de 24 y sea estudiante a tiempo completo, o que tenga una discapacidad permanente; que haya pagado menos de la mitad de sus propios gastos de manutención en 2021; y que no haya presentado la declaración conjuntamente con su cónyuge + - Un padre dependiente que gane menos de $4,300 y para el que usted cubra más de la mitad de sus gastos de manutención + - Otro familiar dependiente que viva con usted más de la mitad del año, que gane menos de $4,300 y para quien usted cubra más de la mitad de sus gastos de manutención eligibility_list_a: a. No está casado - eligibility_list_b: "b. Tiene una o más de las siguientes características:" + eligibility_list_b: 'b. Tiene una o más de las siguientes características:' eligibility_list_c_html: "c. Usted paga al menos la mitad de los gastos de mantenimiento de la vivienda en la que vive esta persona dependiente - gastos que incluyen los impuestos sobre la propiedad, los intereses de la hipoteca, el alquiler/renta, los servicios públicos, el mantenimiento/reparaciones y los alimentos consumidos." full_list_of_rules_html: La lista completa de las condiciones para declarar como la Jefe de familia está disponible aquí. Si decide solicitar el estatus de jefe de familia, usted entiende que es responsable de revisar estas condiciones y asegurarse de que cumple los requisitos. subtitle_1: Debido a que está declarando a sus dependientes, puede ser elegible para declarar el estatus de Jefe de Familia en su declaración. La solicitud de la condición de jefe de familia no aumentará su reembolso y no le dará derecho a ningún beneficio fiscal adicional. No le recomendamos que solicite la condición de jefe de familia. - subtitle_2: "Es probable que sea elegible para el estatus de Jefe de Familia si:" + subtitle_2: 'Es probable que sea elegible para el estatus de Jefe de Familia si:' title: La declaración con el estatus de jefe de familia no aumentará su reembolso. income: income_source_reveal: @@ -5083,50 +5081,50 @@ es: title: "¿Cómo puedo saber la fuente de mis ingresos?" list: one: - - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia - - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado - - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón + - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia + - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado + - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón other: - - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia - - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado - - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón + - ganó menos de $400 en trabajo por contrato o ingresos de trabajo por cuenta propia + - no recibió el Crédito Tributario de Prima de Seguro Médico Adelantado + - no está obligado a presentar una declaración de impuestos completa por cualquier otra razón mainland_connection_reveal: content: Si su familia y sus pertenencias están ubicadas en cualquier de los 50 estados o en un país extranjero en lugar de Puerto Rico, o sus compromisos comunitarios son más fuertes en los 50 estados o en un país extranjero que en Puerto Rico, entonces no puede usar GetCTC como residente de Puerto Rico. title: "¿Qué significa tener una conexión más cercana con los Estados Unidos continentales que con Puerto Rico?" puerto_rico: list: one: - - ganó menos de %{standard_deduction} en ingresos totales - - ganó menos de $400 en ingresos de trabajo por cuenta propia - - no está obligado a radicar una planilla federal completa por cualquier otra razón - - todo su ingreso del trabajo vino de fuentes dentro de Puerto Rico - - usted vivió en Puerto Rico durante al menos la mitad del año (183 días) - - su lugar habitual de trabajo estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico - - no tuvo una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tuvo con Puerto Rico - - no se mudó a Puerto Rico desde otro lugar, o se mudó de Puerto Rico a otro lugar + - ganó menos de %{standard_deduction} en ingresos totales + - ganó menos de $400 en ingresos de trabajo por cuenta propia + - no está obligado a radicar una planilla federal completa por cualquier otra razón + - todo su ingreso del trabajo vino de fuentes dentro de Puerto Rico + - usted vivió en Puerto Rico durante al menos la mitad del año (183 días) + - su lugar habitual de trabajo estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico + - no tuvo una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tuvo con Puerto Rico + - no se mudó a Puerto Rico desde otro lugar, o se mudó de Puerto Rico a otro lugar other: - - usted y su cónyuge ganaron menos de %{standard_deduction} en ingresos totales - - usted y su cónyuge ganaron menos de $400 en ingresos de trabajo por cuenta propia - - usted y su cónyuge no están obligados a radicar una planilla federal completa por cualquier otra razón - - todos los ingresos del trabajo suyo y de su cónyuge vinieron de fuentes dentro de Puerto Rico - - usted y su cónyuge vivieron en Puerto Rico durante al menos la mitad del año (183 días) - - el lugar habitual de trabajo suyo y de su cónyuge estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico - - usted y su cónyuge no tenían una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tenían con Puerto Rico - - usted y su cónyuge no se mudaron a Puerto Rico desde otro lugar, ni se mudaron de Puerto Rico a otro lugar + - usted y su cónyuge ganaron menos de %{standard_deduction} en ingresos totales + - usted y su cónyuge ganaron menos de $400 en ingresos de trabajo por cuenta propia + - usted y su cónyuge no están obligados a radicar una planilla federal completa por cualquier otra razón + - todos los ingresos del trabajo suyo y de su cónyuge vinieron de fuentes dentro de Puerto Rico + - usted y su cónyuge vivieron en Puerto Rico durante al menos la mitad del año (183 días) + - el lugar habitual de trabajo suyo y de su cónyuge estaba en Puerto Rico. Si no tenía un lugar de trabajo regular, entonces su hogar principal estaba en Puerto Rico + - usted y su cónyuge no tenían una “conexión más cercana” con ninguno de los 50 estados o con un país extranjero que la que tenían con Puerto Rico + - usted y su cónyuge no se mudaron a Puerto Rico desde otro lugar, ni se mudaron de Puerto Rico a otro lugar self_employment_income_reveal: content: list_1: - - 1099 contrato de trabajo - - trabajo temporero - - conducir para Uber, Lyft o similar - - alquilar su casa + - 1099 contrato de trabajo + - trabajo temporero + - conducir para Uber, Lyft o similar + - alquilar su casa p1: Los ingresos del trabajo por cuenta propia generalmente son cualquier dinero que ganó de su propio negocio o, en algunos casos, trabajando a tiempo parcial para un empleador. Los ingresos del trabajo por cuenta propia se le informan en un 1099 en lugar de un W-2. p2: 'Si su empleador lo llama "contratista" en lugar de "empleado", sus ingresos de ese trabajo son ingresos por cuenta propia. Los ingresos del trabajo por cuenta propia podrían incluir:' title: "¿Qué se puede considerar como ingreso de un trabajo por cuenta propia?" title: - many: "Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:" - one: "Solo puede usar GetCTC si, en %{current_tax_year}, usted:" - other: "Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:" + many: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:' + one: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted:' + other: 'Solo puede usar GetCTC si, en %{current_tax_year}, usted y su cónyuge:' what_is_aptc_reveal: content: p1: El Crédito Tributario de Prima de Seguro Médico Adelantado es un subsidio que algunas familias reciben por su seguro médico. @@ -5135,13 +5133,13 @@ es: title: "¿Qué es el Crédito Tributario de Prima de Seguro Médico Adelantado, o Advanced Premium Tax Credit?" income_qualifier: list: - - salario - - salarios por hora - - dividendos y intereses - - propinas - - comisiones - - pagos por cuenta propia o por contrato - subtitle: "Los ingresos pueden venir de cualquiera de las siguientes fuentes:" + - salario + - salarios por hora + - dividendos y intereses + - propinas + - comisiones + - pagos por cuenta propia o por contrato + subtitle: 'Los ingresos pueden venir de cualquiera de las siguientes fuentes:' title: many: "¿Usted y su cónyuge ganaron menos de en %{standard_deduction} en %{current_tax_year}?" one: "¿Ganaste menos de %{standard_deduction} en %{current_tax_year}?" @@ -5165,7 +5163,7 @@ es:

      El IRS le emite un nuevo IP PIN cada año y debe proporcionar el PIN de este año.

      Haga clic aquí para recuperar su IP PIN del IRS.

      irs_language_preference: - select_language: "Seleccione su idioma preferido:" + select_language: 'Seleccione su idioma preferido:' subtitle: El IRS puede comunicarse con usted si tiene preguntas. Tiene la opción de seleccionar un idioma preferido. title: "¿Qué idioma quiere que use el IRS cuando se comunique con usted?" legal_consent: @@ -5226,8 +5224,8 @@ es: add_dependents: Agregar más dependientes puerto_rico: subtitle: - - No recibirá el Crédito Tributario por Hijos. No ha agregado ningún dependiente elegible para el Crédito Tributario por Hijos, por lo que no podemos presentar una declaración en este momento. - - Si esto es un error, puede hacer clic en 'Agregar un niño'. + - No recibirá el Crédito Tributario por Hijos. No ha agregado ningún dependiente elegible para el Crédito Tributario por Hijos, por lo que no podemos presentar una declaración en este momento. + - Si esto es un error, puede hacer clic en 'Agregar un niño'. title: No recibirá el Crédito Tributario por Hijos. subtitle: Basado en sus respuestas no recibirá el Crédito Tributario por Hijos porque no tiene dependientes elegibles. title: No recibirá el Crédito Tributario por Hijos, pero podrá continuar cobrando otros pagos en efectivo. @@ -5237,11 +5235,11 @@ es: non_w2_income: additional_income: list: - - ingresos de contratista - - ingresos por intereses - - ingresos por desempleo - - cualquier otro dinero que recibistes - list_title: "Los ingresos adicionales incluyen:" + - ingresos de contratista + - ingresos por intereses + - ingresos por desempleo + - cualquier otro dinero que recibistes + list_title: 'Los ingresos adicionales incluyen:' title: many: "¿Usted y su cónyuge ganaron más de %{additional_income_amount} en ingresos adicionales?" one: "¿Hiciste más de %{additional_income_amount} en ingresos adicionales?" @@ -5251,7 +5249,7 @@ es: faq: Visita nuestras Preguntas Frecuentes home: Ir a la página de inicio content: - - No enviaremos su información al IRS. + - No enviaremos su información al IRS. title: Ha decidido no presentar la declaración de impuestos. overview: help_text: Use nuestra herramienta sencilla electrónica para recibir su Crédito Tributario por Hijos y, si corresponde, su tercer pago de estímulo. @@ -5276,13 +5274,13 @@ es: restrictions: cannot_use_ctc: No puedo usar GetCTC list: - - una investigación del IRS le ha reducido o rechazado previamente el CTC o el EITC y no ha presentado correctamente el Formulario 8862 desde la investigación - - tiene ingresos en propinas de un trabajo de servicio que no se informó a su empleador - - desea presentar el Formulario 8332 para reclamar a un niño que no vive con usted - - está reclamando un pariente calificado bajo un "acuerdo de manutención múltiple" según lo define el IRS - - no está reclamando ningún hijo para el Crédito Tributario por Hijos este año, pero recibió pagos por Adelantado del Crédito Tributario por Hijos en %{current_tax_year} - - compraste o vendiste criptomonedas en %{current_tax_year} - list_title: "No puede usar GetCTC si:" + - una investigación del IRS le ha reducido o rechazado previamente el CTC o el EITC y no ha presentado correctamente el Formulario 8862 desde la investigación + - tiene ingresos en propinas de un trabajo de servicio que no se informó a su empleador + - desea presentar el Formulario 8332 para reclamar a un niño que no vive con usted + - está reclamando un pariente calificado bajo un "acuerdo de manutención múltiple" según lo define el IRS + - no está reclamando ningún hijo para el Crédito Tributario por Hijos este año, pero recibió pagos por Adelantado del Crédito Tributario por Hijos en %{current_tax_year} + - compraste o vendiste criptomonedas en %{current_tax_year} + list_title: 'No puede usar GetCTC si:' multiple_support_agreement_reveal: content: p1: Un acuerdo de manutención múltiple es un arreglo formal que hace con familiares o amigos para cuidar juntos a un niño o pariente. @@ -5318,7 +5316,7 @@ es: did_not_file: No, %{spouse_first_name} no radicó una planilla de impuestos al IRS de %{prior_tax_year} filed_full: Sí, %{spouse_first_name} radicó una planilla federal al IRS por separado de mí filed_together: Sí, %{spouse_first_name} radicó una planilla federal al IRS junto conmigo - note: "Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda." + note: 'Nota: la planilla federal con el IRS es independiente de una planilla de Puerto Rico que puede haber radicado al Departamento de Hacienda.' title: "¿Radicó %{spouse_first_name} una planilla federal de %{prior_tax_year} al IRS?" title: "¿%{spouse_first_name} presentó una declaración de impuestos de %{prior_tax_year}?" spouse_info: @@ -5345,15 +5343,15 @@ es: title: "¿Cuál fue el ingreso bruto ajustado del %{prior_tax_year} de %{spouse_first_name}?" spouse_review: help_text: Hemos agregado a la siguiente persona como su cónyuge en su declaración. - spouse_birthday: "Fecha de nacimiento: %{dob}" - spouse_ssn: "Número de Seguro Social: XXX-XX-%{ssn}" + spouse_birthday: 'Fecha de nacimiento: %{dob}' + spouse_ssn: 'Número de Seguro Social: XXX-XX-%{ssn}' title: Confirmemos la información de su conyuge your_spouse: Su cónyuge stimulus_owed: amount_received: Cantidad que recibió correction: Si la cantidad que ha indicado es incorrecta, el IRS lo corregirá, pero su pago podría ser retrasado. eip_three: Tercer pago de estímulo - eligible_for: "Usted está reclamando un adicional de:" + eligible_for: 'Usted está reclamando un adicional de:' title: Parece que todavía se le deben algunos pagos de estímulo. stimulus_payments: different_amount: Recibí una cantidad diferente @@ -5361,15 +5359,15 @@ es: question: "¿Recibió esta cantidad?" reveal: content_html: - - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. - - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. - - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres rondas de pagos de estímulo durante la pandemia del COVID. Usualmente se recibieron en abril de 2020, diciembre de 2020, y marzo de 2021. + - Solo puede reclamar el tercer pago de estímulo utilizando GetCTC. + - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. title: "¿Cómo puedo conseguir más información sobre los dos primeros pagos de estímulo?" third_stimulus: Estimamos que habrá recibido third_stimulus_details: - - en base a su estado civil y a sus dependientes. - - El tercer pago por estímulo se envió en marzo o abril de 2021 y fue de $1,400 por declarante adulto más $1,400 por dependiente de cualquier edad. - - Por ejemplo, un padre que cuida a dos niños habría recibido $4,200. + - en base a su estado civil y a sus dependientes. + - El tercer pago por estímulo se envió en marzo o abril de 2021 y fue de $1,400 por declarante adulto más $1,400 por dependiente de cualquier edad. + - Por ejemplo, un padre que cuida a dos niños habría recibido $4,200. this_amount: Recibí esta cantidad title: "¿Recibió un total de %{third_stimulus_amount} por su tercer pago de estímulo?" stimulus_received: @@ -5387,39 +5385,39 @@ es: use_gyr: file_gyr: Solicite por medio de GetYourRefund puerto_rico: - address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. Solo por cita. Llama al 787-622-8069." - in_person: "En persona:" + address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. Solo por cita. Llama al 787-622-8069.' + in_person: 'En persona:' online_html: 'Presentación en línea: https://myfreetaxes.com/' - pr_number: "Línea de ayuda de Puerto Rico: 877-722-9832" - still_file: "Es posible que aún pueda presentar una solicitud para reclamar sus beneficios. Para obtener ayuda adicional, considere comunicarse con:" - virtual: "Virtual: MyFreeTaxes" + pr_number: 'Línea de ayuda de Puerto Rico: 877-722-9832' + still_file: 'Es posible que aún pueda presentar una solicitud para reclamar sus beneficios. Para obtener ayuda adicional, considere comunicarse con:' + virtual: 'Virtual: MyFreeTaxes' why_ineligible_reveal: content: list: - - Ganó más de $400 en ingresos de trabajo por cuenta propia - - Ganaste algo de dinero de fuentes fuera de Puerto Rico, por ejemplo en uno de los 50 estados o en un país extranjero - - No vivió en Puerto Rico por más de la mitad de %{current_tax_year} - - "Se mudó dentro o fuera de Puerto Rico durante %{current_tax_year} " - - Puede ser reclamado como dependiente por otra persona - - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido - - Ganaste más de %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado - - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de lo que era elegible para recibir. + - Ganó más de $400 en ingresos de trabajo por cuenta propia + - Ganaste algo de dinero de fuentes fuera de Puerto Rico, por ejemplo en uno de los 50 estados o en un país extranjero + - No vivió en Puerto Rico por más de la mitad de %{current_tax_year} + - 'Se mudó dentro o fuera de Puerto Rico durante %{current_tax_year} ' + - Puede ser reclamado como dependiente por otra persona + - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido + - Ganaste más de %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado + - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de lo que era elegible para recibir. still_benefit: Todavía puede beneficiarse presentando una declaración de impuestos completa de forma gratuita a través de GetYourRefund. title: Desafortunadamente, no es elegible para usar GetCTC. ¡Pero aún así podemos ayudarle! visit_our_faq: Visita nuestras Preguntas Frecuentes why_ineligible_reveal: content: list: - - Ganaste más del %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado - - Ganó más de $400 en ingresos de trabajo por cuenta propia - - Puede ser reclamado como dependiente - - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido - - No vivió en ninguno de los 50 estados o el Distrito de Columbia durante la mayor parte del %{current_tax_year} - - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de los que era elegible para recibir. - p: "Algunas razones por las que podría no ser elegible para usar GetCTC son:" + - Ganaste más del %{single_deduction} declarando individualmente o %{joint_deduction} declarando casado + - Ganó más de $400 en ingresos de trabajo por cuenta propia + - Puede ser reclamado como dependiente + - Usted (y su cónyuge, si corresponde) no tienen un SSN o ITIN válido + - No vivió en ninguno de los 50 estados o el Distrito de Columbia durante la mayor parte del %{current_tax_year} + - Recibió más pagos adelantados del Crédito Tributario por Hijos en %{current_tax_year} de los que era elegible para recibir. + p: 'Algunas razones por las que podría no ser elegible para usar GetCTC son:' title: "¿Por qué no soy elegible?" verification: - body: "Se le ha enviado un mensaje con su código a:" + body: 'Se le ha enviado un mensaje con su código a:' error_message: El código de verificación es incorrecto title: "¡Verifiquemos esa información de contacto con un código!" verification_code_label: Ingrese el código de 6 dígitos @@ -5431,21 +5429,21 @@ es: done_adding: Termine de agregar los formularios W-2 dont_add_w2: No quiero agregar mi W-2 employee_info: - employee_city: "Box e: City" - employee_legal_name: "Seleccione el nombre legal en el W2:" - employee_state: "Box e: State" - employee_street_address: "Box e: Employee street address or P.O. box" - employee_zip_code: "Box e: Zip code" + employee_city: 'Box e: City' + employee_legal_name: 'Seleccione el nombre legal en el W2:' + employee_state: 'Box e: State' + employee_street_address: 'Box e: Employee street address or P.O. box' + employee_zip_code: 'Box e: Zip code' title: many: Comencemos ingresando información básica. one: Comencemos ingresando información básica para %{name}. other: Comencemos ingresando información básica. employer_info: add: Agregar un W-2 - box_d_control_number: "Box d: Control Number" + box_d_control_number: 'Box d: Control Number' employer_city: Ciudad - employer_ein: "Box b: Employer Identification Number (EIN)" - employer_name: "Box c: Employer Name" + employer_ein: 'Box b: Employer Identification Number (EIN)' + employer_name: 'Box c: Employer Name' employer_state: Estado employer_street_address: Dirección del empleador o apartado postal employer_zip_code: Código postal @@ -5457,31 +5455,31 @@ es: other: Un W-2 es un formulario tributario oficial que le entrega su empleador. Ingrese todos sus formularios W-2 y los de su cónyuge para obtener el Crédito Tributario por Ingreso del Trabajo y evitar demoras. p2: El formulario que ingrese debe tener impreso el W-2 en la parte superior. De otra manera no será aceptado. misc_info: - box11_nonqualified_plans: "Box 11: Nonqualified plans amount" + box11_nonqualified_plans: 'Box 11: Nonqualified plans amount' box12_error: debe proporcionar tanto el código como el valor box12_value_error: El valor debe ser numérico - box12a: "Box 12a:" - box12b: "Box 12b:" - box12c: "Box 12c:" - box12d: "Box 12d:" - box13: "Box 13: Si está marcado en su W-2, seleccione la opción correspondiente a continuación" + box12a: 'Box 12a:' + box12b: 'Box 12b:' + box12c: 'Box 12c:' + box12d: 'Box 12d:' + box13: 'Box 13: Si está marcado en su W-2, seleccione la opción correspondiente a continuación' box13_retirement_plan: Plan de retiro box13_statutory_employee: Empleado estatutario box13_third_party_sick_pay: Pago por enfermedad de terceros box14_error: Debe proveer la descripción y la cantidad - box14_other: "Box 14: Other" + box14_other: 'Box 14: Other' box15_error: Debe proveer el número de identificación del estado y del estado del empleador - box15_state: "Casilla 15: Número de identificación estatal del empleador" - box16_state_wages: "Casilla 16: Salarios estatales, propinas, etc." - box17_state_income_tax: "Casilla 17: Impuesto estatal sobre los ingresos" - box18_local_wages: "Box 18: Local wages, tips, etc." + box15_state: 'Casilla 15: Número de identificación estatal del empleador' + box16_state_wages: 'Casilla 16: Salarios estatales, propinas, etc.' + box17_state_income_tax: 'Casilla 17: Impuesto estatal sobre los ingresos' + box18_local_wages: 'Box 18: Local wages, tips, etc.' box19_local_income_tax: Casilla 19, Impuesto local sobre los ingresos - box20_locality_name: "Box 20: Locality name" + box20_locality_name: 'Box 20: Locality name' remove_this_w2: Eliminar este W-2 - requirement_title: "Requisito:" + requirement_title: 'Requisito:' requirements: - - Las siguientes secciones de su W-2 probablemente estén en blanco. Deje esas casillas en blanco a continuación para que coincidan con su W-2. - - Para las Casillas 15-20, si su W-2 contiene información de varios estados, ingrese solo la información del primer estado. + - Las siguientes secciones de su W-2 probablemente estén en blanco. Deje esas casillas en blanco a continuación para que coincidan con su W-2. + - Para las Casillas 15-20, si su W-2 contiene información de varios estados, ingrese solo la información del primer estado. submit: Guarde este W-2 title: Terminemos de ingresar la información del W-2 de %{name}. note_html: "Aviso: Si no incluye el formulario W-2, no recibirá el Crédito Tributario por Ingreso del Trabajo. Sin embargo, puede solicitar los demás créditos si están disponibles para usted." @@ -5497,19 +5495,19 @@ es: title: Confirme la información de su W-2. wages: Sueldo wages_info: - box10_dependent_care_benefits: "Box 10: Dependent care benefits" - box3_social_security_wages: "Box 3: Social security wages" - box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" - box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" - box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" - box7_social_security_tips_amount: "Box 7: Social Security tips amount" - box8_allocated_tips: "Box 8: Allocated tips" - federal_income_tax_withheld: "Casilla 2: Impuesto federal sobre los ingresos retenido" + box10_dependent_care_benefits: 'Box 10: Dependent care benefits' + box3_social_security_wages: 'Box 3: Social security wages' + box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' + box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' + box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' + box7_social_security_tips_amount: 'Box 7: Social Security tips amount' + box8_allocated_tips: 'Box 8: Allocated tips' + federal_income_tax_withheld: 'Casilla 2: Impuesto federal sobre los ingresos retenido' info_box: requirement_description_html: Ingrese la información exactamente como aparece en su W-2. Si hay casillas en blanco en su W-2, déjelas también en blanco en las casillas a continuación. - requirement_title: "Requisito:" + requirement_title: 'Requisito:' title: "¡Excelente! Ingrese todos los salarios, propinas e impuestos retenidos de %{name} de este W-2." - wages_amount: "Box 1: Wages Amount" + wages_amount: 'Box 1: Wages Amount' shared: ssn_not_valid_for_employment: La tarjeta de Seguro Social de esta persona tiene escrito "No válido para el empleo". (Esto se ve raramente) ctc_pages: @@ -5517,21 +5515,21 @@ es: compare_benefits: ctc: list: - - Pagos federales de estímulo - - Crédito Tributario por Hijos + - Pagos federales de estímulo + - Crédito Tributario por Hijos note_html: Si presenta la declaración con GetCTC, puede presentar una declaración enmendada más tarde para reclamar los créditos adicionales que habría recibido al presentarla con GetYourRefund. Este proceso puede ser bastante difícil, y es probable que necesite la ayuda de un profesional de impuestos. - p1_html: "Un hogar con un hijo menor de 6 años puede recibir un promedio de: 7,500 dólares" - p2_html: "Un hogar sin hijos puede recibir un promedio de: 3,200 dólares" + p1_html: 'Un hogar con un hijo menor de 6 años puede recibir un promedio de: 7,500 dólares' + p2_html: 'Un hogar sin hijos puede recibir un promedio de: 3,200 dólares' gyr: list: - - Pagos federales de estímulo - - Crédito Tributario por Hijos - - Crédito tributario por ingresos del trabajo - - Crédito tributario por ingresos del trabajo de California - - Pagos de estímulo del Golden State - - "Crédito Tributario por Hijos Jóvenes de California (en inglés: Young Child Tax Credit)" - p1_html: "Un hogar con un niño menor de 6 años puede recibir un promedio de: 12,200 dólares" - p2_html: "Un hogar sin hijos puede recibir un promedio de de: 4,300 dólares" + - Pagos federales de estímulo + - Crédito Tributario por Hijos + - Crédito tributario por ingresos del trabajo + - Crédito tributario por ingresos del trabajo de California + - Pagos de estímulo del Golden State + - 'Crédito Tributario por Hijos Jóvenes de California (en inglés: Young Child Tax Credit)' + p1_html: 'Un hogar con un niño menor de 6 años puede recibir un promedio de: 12,200 dólares' + p2_html: 'Un hogar sin hijos puede recibir un promedio de de: 4,300 dólares' title: Compare los beneficios compare_length: ctc: 30 minutos @@ -5540,12 +5538,12 @@ es: compare_required_info: ctc: list: - - Numeros de Seguro Social o de Identificación Personal (ITIN) + - Numeros de Seguro Social o de Identificación Personal (ITIN) gyr: list: - - Documentos de empleo - - "(W2’s, 1099’s, etc.)" - - Numeros de Seguro Social o de Identificación Personal (ITIN en inglés) + - Documentos de empleo + - "(W2’s, 1099’s, etc.)" + - Numeros de Seguro Social o de Identificación Personal (ITIN en inglés) helper_text: Los documentos son necesarios para cada miembro de la familia en su declaración de impuestos. title: Comparar la información requerida ctc: GetCTC @@ -5691,58 +5689,58 @@ es: title: Recursos de extensión y navegador de GetCTC privacy_policy: 01_intro: - - GetCTC.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los hogares de ingresos bajos a moderados a acceder a los beneficios fiscales, como el Crédito Tributario Anticipado por Hijos (AdvCTC) y los Pagos por Impacto Económico a través de servicios accesibles de declaración de impuestos. - - Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al usar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que use para acceder a nuestros Servicios. + - GetCTC.org es un servicio creado por Code for America Labs, Inc. ("Code for America", "nosotros", "nos", "nuestro") para ayudar a los hogares de ingresos bajos a moderados a acceder a los beneficios fiscales, como el Crédito Tributario Anticipado por Hijos (AdvCTC) y los Pagos por Impacto Económico a través de servicios accesibles de declaración de impuestos. + - Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al usar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que use para acceder a nuestros Servicios. 02_questions_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en %{email_link} 03_overview: Resumen 04_info_we_collect: Información que recopilamos - 05_info_we_collect_details: "Seguimos el principio de Minimización de Datos en la recopilación y uso de su información personal. Podemos obtener la siguiente información sobre usted, sus dependientes, o los miembros de su hogar:" + 05_info_we_collect_details: 'Seguimos el principio de Minimización de Datos en la recopilación y uso de su información personal. Podemos obtener la siguiente información sobre usted, sus dependientes, o los miembros de su hogar:' 06_info_we_collect_list: - - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico - - Fecha de nacimiento - - Información demográfica, como la edad y estado marital - - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico - - Fecha de nacimiento - - Información demográfica, como la edad y estado marital - - Características de las clasificaciones protegidas, como género, raza y etnia - - Información fiscal, como el número de seguro social o el número de identificación personal (ITIN en inglés) - - Identificación emitida por el estado, como el número de licencia de manejar - - Información financiera, como empleo, ingresos y fuentes de ingresos - - Datos bancarios para el depósito directo de reembolsos - - Datos sobre los dependientes - - Información sobre el hogar y sobre su cónyuge, si es que corresponde - - Información de su computadora o dispositivo, como dirección IP, sistema operativo, navegador, fecha y hora de visita, y datos de flujo de clics (el sitio web o dominio del que procede, las páginas que visita y los elementos sobre los que hace clic durante su sesión). + - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico + - Fecha de nacimiento + - Información demográfica, como la edad y estado marital + - Identificadores personales como nombre, direcciones, números de teléfono y direcciones de correo electrónico + - Fecha de nacimiento + - Información demográfica, como la edad y estado marital + - Características de las clasificaciones protegidas, como género, raza y etnia + - Información fiscal, como el número de seguro social o el número de identificación personal (ITIN en inglés) + - Identificación emitida por el estado, como el número de licencia de manejar + - Información financiera, como empleo, ingresos y fuentes de ingresos + - Datos bancarios para el depósito directo de reembolsos + - Datos sobre los dependientes + - Información sobre el hogar y sobre su cónyuge, si es que corresponde + - Información de su computadora o dispositivo, como dirección IP, sistema operativo, navegador, fecha y hora de visita, y datos de flujo de clics (el sitio web o dominio del que procede, las páginas que visita y los elementos sobre los que hace clic durante su sesión). 07_info_required_by_irs: Recopilamos información según lo dispuesto por el IRS en el Procedimiento de Ingresos "Rev RP-21-24". - "08_how_we_collect": Cómo recogemos tu información - "09_various_sources": Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar + '08_how_we_collect': Cómo recogemos tu información + '09_various_sources': Recogemos tu información de diversas fuentes, como cuando tú o los miembros de tu hogar 10_various_sources_list: - - Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios - - Nos comparten documentos para usar nuestros servicios - - Se comunican con nosotros (por ejemplo a través de correo electrónico, chat, redes sociales o de otro tipo) + - Visitan nuestro Sitio, completan formularios en nuestro Sitio o usan nuestros Servicios + - Nos comparten documentos para usar nuestros servicios + - Se comunican con nosotros (por ejemplo a través de correo electrónico, chat, redes sociales o de otro tipo) 11_third_parties: Es posible que también recopilemos su información de terceros como 12_third_parties_list: - - Nuestros socios que le están ayudando con servicios de preparación de impuestos o cualquier otro programa de beneficios que usted solicite - - El Servicio de Rentas Internas ("IRS") u otras agencias gubernamentales relacionadas con nuestros Servicios + - Nuestros socios que le están ayudando con servicios de preparación de impuestos o cualquier otro programa de beneficios que usted solicite + - El Servicio de Rentas Internas ("IRS") u otras agencias gubernamentales relacionadas con nuestros Servicios 13_using_information: El uso de información que recopilamos 14_using_information_details: Utilizamos su información para propósitos de nuestra organización e intereses legítimos como, por ejemplo 14_using_information_list: - - Para ayudarle a conectarse con los servicios gratuitos de preparación de impuestos o cualquier otro programa de beneficios que solicite - - Para completar los formularios requeridos para el uso de los Servicios o para la presentación de sus impuestos - - Para proporcionarle apoyo durante el proceso y comunicarnos con usted - - Para seguir y comprender cómo se utilizan el Sitio y nuestros Servicios - - Para mejorar la calidad o el alcance del Sitio o de nuestros Servicios - - Para sugerir otros servicios o programas de asistencia que puedan serle útiles - - Para la detección de fraude, su prevención, y propósitos de seguridad - - Para cumplir con los requisitos y obligaciones legales - - Para el estudio + - Para ayudarle a conectarse con los servicios gratuitos de preparación de impuestos o cualquier otro programa de beneficios que solicite + - Para completar los formularios requeridos para el uso de los Servicios o para la presentación de sus impuestos + - Para proporcionarle apoyo durante el proceso y comunicarnos con usted + - Para seguir y comprender cómo se utilizan el Sitio y nuestros Servicios + - Para mejorar la calidad o el alcance del Sitio o de nuestros Servicios + - Para sugerir otros servicios o programas de asistencia que puedan serle útiles + - Para la detección de fraude, su prevención, y propósitos de seguridad + - Para cumplir con los requisitos y obligaciones legales + - Para el estudio 15_information_shared_with_others: Información compartida con terceros 16_we_dont_sell: No vendemos su información personal. 17_disclose_to_others_details: No compartimos información personal con terceros, excepto según lo dispuesto en esta Política de privacidad. Podemos revelar información a contratistas, organizaciones afiliadas y/o terceros no afiliados para proporcionarle los Servicios a usted, para llevar a cabo nuestra tarea o para ayudar con las actividades de nuestra organización. Por ejemplo, podemos compartir su información con 18_disclose_to_others_list_html: - - Proveedores de VITA para ayudar a preparar y presentar sus declaraciones de impuestos - - El Servicio de Impuestos Internos (IRS) para ayudarle a presentar electrónicamente sus impuestos y/u otros formularios para tener derecho a los pagos del Crédito Tributario por Hijos - - Terceros para distribuir encuestas, grupos de discusión o para otros fines administrativos, analíticos y de marketing. Estas comunicaciones de terceros tienen por objeto mejorar el producto, conocer la experiencia y ponerle al día si ha solicitado actualizaciones. - - Code for America mantiene relaciones con terceros proveedores de programas y servicios que prestan servicios en nuestro nombre para ayudarnos en nuestras actividades comerciales. Estas empresas están autorizadas para utilizar su información personal sólo en la medida necesaria para prestarnos estos servicios, de acuerdo con instrucciones escritas. Podemos compartir su información con socios comerciales y otros terceros para que puedan ofrecerle ofertas o productos y servicios que creemos que pueden beneficiarle. Si no desea que compartamos su información personal con estas empresas, comuníquese con nosotros a %{email_link}. + - Proveedores de VITA para ayudar a preparar y presentar sus declaraciones de impuestos + - El Servicio de Impuestos Internos (IRS) para ayudarle a presentar electrónicamente sus impuestos y/u otros formularios para tener derecho a los pagos del Crédito Tributario por Hijos + - Terceros para distribuir encuestas, grupos de discusión o para otros fines administrativos, analíticos y de marketing. Estas comunicaciones de terceros tienen por objeto mejorar el producto, conocer la experiencia y ponerle al día si ha solicitado actualizaciones. + - Code for America mantiene relaciones con terceros proveedores de programas y servicios que prestan servicios en nuestro nombre para ayudarnos en nuestras actividades comerciales. Estas empresas están autorizadas para utilizar su información personal sólo en la medida necesaria para prestarnos estos servicios, de acuerdo con instrucciones escritas. Podemos compartir su información con socios comerciales y otros terceros para que puedan ofrecerle ofertas o productos y servicios que creemos que pueden beneficiarle. Si no desea que compartamos su información personal con estas empresas, comuníquese con nosotros a %{email_link}. 19_require_third_parties: Requerimos que nuestros terceros actúen a nombre nuestro para mantener su información personal segura, y no permitimos que estos terceros utilicen o compartan su información personal para ningún propósito que no sea proporcionar servicios a nombre nuestro. 20_may_share_third_parties: Podemos compartir su información con terceros en situaciones especiales, como cuando lo requiere la ley, o cuando creemos que compartir dicha información ayudará a proteger la seguridad, propiedad o derechos de Code for America, las personas a las que servimos, nuestros asociados u otras personas. 21_may_share_government: Podemos compartir información limitada, agregada o personal con agencias gubernamentales, como el IRS, para analizar el uso de nuestros Servicios, los proveedores de servicios de preparación gratuita de impuestos y el Crédito Tributario por Hijos, con el fin de mejorar y ampliar nuestros Servicios. No compartiremos ninguna información con el IRS que no haya sido ya revelada en su declaración de impuestos o a través del sitio web GetCTC. @@ -5751,15 +5749,15 @@ es: 24_your_choices_contact_methods: Correo postal, correo electrónico, y promociones 25_to_update_prefs: Para actualizar sus preferencias o sus datos de contacto, puede 26_to_update_prefs_list_html: - - Comunicarse con nosotros a través de %{email_link}, y solicitar que lo den de baja de los correos electrónicos de actualización de GetCTC. - - seguir las instrucciones proporcionadas para darse de baja de correos electrónicos o correos postales - - 'seleccionar el enlace para "darse de baja"--en inglés: unsubscribe--que se encuentra en nuestros correos electrónicos promocionales de Code for America' + - Comunicarse con nosotros a través de %{email_link}, y solicitar que lo den de baja de los correos electrónicos de actualización de GetCTC. + - seguir las instrucciones proporcionadas para darse de baja de correos electrónicos o correos postales + - 'seleccionar el enlace para "darse de baja"--en inglés: unsubscribe--que se encuentra en nuestros correos electrónicos promocionales de Code for America' 27_unsubscribe_note: Favor de tener en cuenta que incluso si se da de baja de ofertas y actualizaciones de correo electrónico promocionales, aún así podremos comunicarnos con usted para fines operativos. Por ejemplo, podremos enviar comunicaciones con respecto a su estado de declaración de impuestos, recordatorios o alertarle de información adicional necesaria. 28_cookies: Cookies 29_cookies_details: Los cookies son pequeños archivos de texto que los sitios web colocan en las computadoras y dispositivos móviles de las personas que visitan esos sitios web. Las etiquetas de píxel (también llamadas web beacons) son pequeños bloques de código colocados en sitios web y correos electrónicos. 30_cookies_list: - - Utilizamos cookies y otras tecnologías como etiquetas de píxeles para recordar sus preferencias, mejorar su experiencia en línea y recopilar datos sobre cómo utiliza nuestros Sitios para mejorar la forma en que promovemos nuestro contenido, programas y eventos. - - Su uso de nuestros Sitios indica su consentimiento para dicho uso de cookies. + - Utilizamos cookies y otras tecnologías como etiquetas de píxeles para recordar sus preferencias, mejorar su experiencia en línea y recopilar datos sobre cómo utiliza nuestros Sitios para mejorar la forma en que promovemos nuestro contenido, programas y eventos. + - Su uso de nuestros Sitios indica su consentimiento para dicho uso de cookies. 31_cookies_default: La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si desea restringir o bloquear las cookies que establece nuestro Sitio, o cualquier otro sitio, puede hacerlo a través de la configuración de su navegador. La función de "Ayuda" en su navegador debe incluir una explicación de cómo hacerlo. La mayoría de los navegadores están configurados inicialmente para aceptar cookies HTTP. Si desea restringir o bloquear las cookies que establece nuestro Sitio, o cualquier otro sitio, puede hacerlo a través de la configuración de su navegador. La función de ayuda en su navegador debe incluir una explicación de cómo hacerlo. Asimismo, puede visitar www.aboutcookies.org, donde hallará información completa sobre cómo hacer esto en una amplia variedad de navegadores. Encontrará información general sobre los cookies y detalles sobre cómo eliminar los cookies de su computadora o dispositivo. 32_sms: Mensajes SMS operativos (texto) 33_sms_details_html: Puede darse de baja de los mensajes transaccionales enviando un mensaje de texto de STOP al 58750 en cualquier momento. Cuando recibamos su solicitud de cancelación, le enviaremos un último mensaje de texto para confirmar su cancelación. Consulte las condiciones de GetYourRefund para obtener más detalles e instrucciones para darse de baja de estos servicios. Los datos obtenidos a través del programa de códigos cortos no se compartirán con terceros para sus fines de marketing. @@ -5769,44 +5767,44 @@ es: 37_additional_services_details: Puede ser que le proporcionemos enlaces adicionales a recursos que consideramos que le serán útiles. Estos enlaces pueden llevarlo a sitios que están afiliados con nosotros que pudieran operar bajo diferentes prácticas de privacidad. No somos responsables del contenido ni de las prácticas de dichos sitios. Animamos a nuestros visitantes y usuarios a estar atentos cuando salgan de nuestro sitio y de leer las declaraciones de privacidad de cualquier otro sitio, ya que no controlamos la manera en la cual los demás sitios recopilan información personal. 38_how_we_protect: Cómo protegemos su información 39_how_we_protect_list: - - Proteger su información personal es extremadamente importante para nosotros, por lo que tomamos precauciones administrativas, técnicas y físicas razonables para proteger su información tanto en línea como fuera de línea. - - Aun así, no se puede garantizar que ningún sistema sea 100% seguro. Si tiene alguna duda sobre la seguridad de su información personal, o si tiene motivos para creer que la información personal que tenemos sobre usted ya no está segura, comuníquese con nosotros inmediatamente de la manera descrita en este Aviso de Privacidad. + - Proteger su información personal es extremadamente importante para nosotros, por lo que tomamos precauciones administrativas, técnicas y físicas razonables para proteger su información tanto en línea como fuera de línea. + - Aun así, no se puede garantizar que ningún sistema sea 100% seguro. Si tiene alguna duda sobre la seguridad de su información personal, o si tiene motivos para creer que la información personal que tenemos sobre usted ya no está segura, comuníquese con nosotros inmediatamente de la manera descrita en este Aviso de Privacidad. 40_retention: Retención de Datos 41_retention_list: - - "Conservaremos su información durante el tiempo que sea necesario para: prestarle los Servicios, operar nuestro negocio de acuerdo con este Aviso, o demostrar el cumplimiento de las leyes y obligaciones legales." - - Si ya no desea continuar con la solicitud de GetCTC y solicita que se elimine su información de nuestros Servicios antes de presentar la solicitud, eliminaremos o eliminaremos la información que le identifica en un plazo de 90 días a partir de la finalización de los Servicios, a menos que la ley nos obligue a conservar su información. En tal caso, sólo conservaremos su información durante el tiempo requerido por dicha ley. + - 'Conservaremos su información durante el tiempo que sea necesario para: prestarle los Servicios, operar nuestro negocio de acuerdo con este Aviso, o demostrar el cumplimiento de las leyes y obligaciones legales.' + - Si ya no desea continuar con la solicitud de GetCTC y solicita que se elimine su información de nuestros Servicios antes de presentar la solicitud, eliminaremos o eliminaremos la información que le identifica en un plazo de 90 días a partir de la finalización de los Servicios, a menos que la ley nos obligue a conservar su información. En tal caso, sólo conservaremos su información durante el tiempo requerido por dicha ley. 42_children: Privacidad de menores 43_children_details: No recopilamos información personal de forma intencionada de menores de 16 años no emancipados. 44_changes: Cambios 45_changes_summary: Es posible que modifiquemos esta Política de Privacidad de vez en cuando. Por favor, revise esta página con frecuencia para ver si hay actualizaciones, ya que su uso continuado de nuestros Servicios después de cualquier cambio en esta Política de Privacidad constituirá su aceptación de los cambios. En el caso de cambios sustanciales, se lo notificaremos por correo electrónico o por otros medios compatibles con la legislación aplicable. 46_access_request: Tus derechos 47_access_request_list_html: - - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, a solicitar la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. - - Favor de tener en cuenta que, en el caso de la información personal sobre usted que hayamos obtenido o recibido para su utilización en nombre de una entidad independiente y no afiliada, que haya determinado los medios y los fines del tratamiento, todas las solicitudes de este tipo deberán dirigirse directamente a dicha entidad. Respetaremos y apoyaremos cualquier instrucción que nos proporcionen con respecto a su información personal. + - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, a solicitar la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. + - Favor de tener en cuenta que, en el caso de la información personal sobre usted que hayamos obtenido o recibido para su utilización en nombre de una entidad independiente y no afiliada, que haya determinado los medios y los fines del tratamiento, todas las solicitudes de este tipo deberán dirigirse directamente a dicha entidad. Respetaremos y apoyaremos cualquier instrucción que nos proporcionen con respecto a su información personal. 47_effective_date: Fecha de vigencia 48_effective_date_info: Esta versión de la política entrará en vigor a partir del 22 de octubre de 2021. 49_questions: Preguntas 50_questions_list_html: - - Si tiene un problema de privacidad o de uso de datos sin resolver que no hayamos solucionado satisfactoriamente, favor de comunicarse con nuestro proveedor de resolución de disputas con sede en Estados Unidos (sin costo alguno) a https://feedback-form.truste.com/watchdog/request. - - "Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}" + - Si tiene un problema de privacidad o de uso de datos sin resolver que no hayamos solucionado satisfactoriamente, favor de comunicarse con nuestro proveedor de resolución de disputas con sede en Estados Unidos (sin costo alguno) a https://feedback-form.truste.com/watchdog/request. + - 'Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}' 51_do_our_best: Haremos todo lo posible para resolver el problema. puerto_rico: hero: - - Obtenga dinero para cualquier niño que cuide, incluso si nunca antes ha presentado impuestos al IRS. Puede ser elegible para reclamar el Crédito Tributario por Hijos y poner dinero en el bolsillo de su familia. Si no está obligado a radicar una planilla federal con el IRS, puede usar esta herramienta de declaración de impuestos simplificada para obtener su dinero. - - Este formulario en general tarda unos 15 minutos en completarse y no necesitará ningún documento fiscal. + - Obtenga dinero para cualquier niño que cuide, incluso si nunca antes ha presentado impuestos al IRS. Puede ser elegible para reclamar el Crédito Tributario por Hijos y poner dinero en el bolsillo de su familia. Si no está obligado a radicar una planilla federal con el IRS, puede usar esta herramienta de declaración de impuestos simplificada para obtener su dinero. + - Este formulario en general tarda unos 15 minutos en completarse y no necesitará ningún documento fiscal. title: "¡Puerto Rico, puede obtener el Crédito Tributario por Hijos para su familia!" what_is: body: - - Este año, por primera vez, las familias en Puerto Rico pueden obtener el Crédito Tributario por Hijo, de hasta $3,600 por niño. - - Para reclamar su Crédito Tributario por Hijos, debe presentar un formulario simplificado con el IRS. Si aún no ha presentado una declaración federal con el IRS, ¡puede hacerlo fácilmente aquí! + - Este año, por primera vez, las familias en Puerto Rico pueden obtener el Crédito Tributario por Hijo, de hasta $3,600 por niño. + - Para reclamar su Crédito Tributario por Hijos, debe presentar un formulario simplificado con el IRS. Si aún no ha presentado una declaración federal con el IRS, ¡puede hacerlo fácilmente aquí! heading: "¡La mayoría de las familias en Puerto Rico pueden obtener miles de dólares del Crédito Tributario por Hijos radicando una planilla federal con el IRS!" how_much_reveal: body: - - El Crédito Tributario por Hijos para el año fiscal 2021 es $3,600 por niño menor de 6 años y $3,000 por niño de 6-17 años. + - El Crédito Tributario por Hijos para el año fiscal 2021 es $3,600 por niño menor de 6 años y $3,000 por niño de 6-17 años. title: "¿Cuánto recibiré?" qualify_reveal: body: - - Sus hijos probablemente califiquen si vivieron con usted durante la mayor parte de 2021, tenían menos de 18 años a fines de 2021 y no nacieron en 2022. GetCTC le guiará a través de algunas preguntas rápidas para asegurarse. + - Sus hijos probablemente califiquen si vivieron con usted durante la mayor parte de 2021, tenían menos de 18 años a fines de 2021 y no nacieron en 2022. GetCTC le guiará a través de algunas preguntas rápidas para asegurarse. title: "¿Califican mis niños?" puerto_rico_overview: cta: Está a punto de radicar una planilla federal. Usted es responsable de responder a las preguntas con la verdad y precisión a lo mejor de su capacidad. @@ -5855,8 +5853,8 @@ es: heading_open: La mayoría de las familias pueden obtener miles de dólares del tercer pago de estímulo reveals: first_two_body_html: - - El IRS emitió tres tandas de pagos de estímulo durante la pandemia de COVID. Por lo general, las familias las recibieron en abril de 2020, diciembre de 2020 y marzo de 2021. Puede solicitar todo o parte del tercer pago de estímulo utilizando GetCTC. - - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. + - El IRS emitió tres tandas de pagos de estímulo durante la pandemia de COVID. Por lo general, las familias las recibieron en abril de 2020, diciembre de 2020 y marzo de 2021. Puede solicitar todo o parte del tercer pago de estímulo utilizando GetCTC. + - Si usted no ha recibido ningún de su primer o segundo pago de estimulo, debe presentar una declaración de impuestos de 2020 para reclamarlos. Puede declarar sin cargo en GetYourRefund. first_two_title: "¿Qué pasa con los dos primeros pagos de estímulo?" how_much_ctc_body: El tercer pago de estímulo generalmente se emitió en marzo o abril de 2021 y tenía un valor de $1,400 por contribuyente adulto más $1,400 por dependiente elegible. Si recibió menos de lo que merecía en 2021, o no recibió ningún pago, puede reclamar su pago de estímulo faltante presentando una declaración de impuestos simple. how_much_ctc_title: "¿Cuánto recibiré del Crédito Tributario por Hijos?" @@ -5890,7 +5888,7 @@ es: title: "¡Pidámosle ayuda a alguien!" documents: additional_documents: - document_list_title: "Basado en sus respuestas previas, es possible que tenga los siguientes documentos:" + document_list_title: 'Basado en sus respuestas previas, es possible que tenga los siguientes documentos:' help_text: Si tiene otros documentos que puedan ser relevantes, por favor compártalos con nosotros. ¡Nos ayudará a preparar mejor sus impuestos! title: Por favor comparta cualquier documento adicional. employment: @@ -5918,15 +5916,15 @@ es: one: El IRS nos exige que veamos una licencia de conducir, un pasaporte o una identificación estatal actuales. other: El IRS requiere que chequeemos una licencia de conducir, pasaporte o identificación estatal actual para usted y su esposo/a. info: Usaremos su tarjeta de identificación para verificar y proteger su identidad de acuerdo con las pautas del IRS. No hay problema si su identificación se ha expirado o si tiene una licencia de conducir temporal, siempre que podamos ver claramente su nombre y foto. - need_for: "Necesitaremos una tarjeta de identificación para:" + need_for: 'Necesitaremos una tarjeta de identificación para:' title: many: Adjunte fotos de sus tarjetas de identificación one: Adjunte una foto de su tarjeta de identificación other: Adjunte fotos de sus tarjetas de identificación intro: info: Basado en las respuestas a nuestras preguntas anteriores, tenemos una lista de documentos que debe compartir con nosotros. Su progreso será guardado y podrá regresar con más documentos en otro momento. - note: "Nota: Si tiene otros documentos, también tendrá la oportunidad de compartirlos." - should_have: "Debería tener los siguientes documentos:" + note: 'Nota: Si tiene otros documentos, también tendrá la oportunidad de compartirlos.' + should_have: 'Debería tener los siguientes documentos:' title: "¡Ahora, vamos a recoger sus documentos de impuestos!" overview: empty: Este tipo de documento no fue subido. @@ -5947,7 +5945,7 @@ es: submit_photo: Enviar una foto selfies: help_text: El IRS requiere que verifiquemos quién es usted para los servicios de preparación de impuestos. - need_for_html: "Necesitaremos ver una foto con ID para:" + need_for_html: 'Necesitaremos ver una foto con ID para:' title: Comparta una foto de usted sosteniendo su tarjeta de identificación spouse_ids: expanded_id: @@ -5961,7 +5959,7 @@ es: help_text: El IRS requiere que veamos una forma adicional de identidad. Usamos una segunda forma de identificación para verificar y proteger su identidad de acuerdo con las pautas del IRS. title: Adjunte fotos de una forma adicional de identificación help_text: El IRS nos exige que veamos una tarjeta de Seguro Social o documentación ITIN válida de todos en el hogar para los servicios de preparación de impuestos. - need_for: "Necesitaremos un SSN o ITIN para:" + need_for: 'Necesitaremos un SSN o ITIN para:' title: Adjunte fotos de la Tarjeta de Seguro Social o Número de Identificación Personal (ITIN en inglés) layouts: admin: @@ -6032,7 +6030,7 @@ es: closed_open_for_login_banner_html: Los servicios GetYourRefund están cerrados durante esta temporada de impuestos. Esperamos poder brindar nuestra asistencia tributaria gratuita nuevamente a partir de enero. Para obtener preparación de impuestos gratuita ahora, puede buscar una ubicación de VITA en su área. faq: faq_cta: Lee nuestras preguntas frecuentes - header: "Preguntas frecuentes:" + header: 'Preguntas frecuentes:' header: Declare sus impuestos sin costo. ¡Es sencillo! open_intake_post_tax_deadline_banner: Comience con GetYourRefund antes del %{end_of_intake} si desea presentar su declaración con nosotros en 2024. Si su declaración está en progreso, inicie sesión y envíe sus documentos antes del %{end_of_docs}. security: @@ -6062,7 +6060,7 @@ es: description: No recopilamos información personal a sabiendas de menores de 16 años no emancipados. header: Privacidad de menores data_retention: - description: "Conservaremos su información el tiempo necesario para: proporcionarle Servicios, llevar a cabo nuestra labor de manera consistente con este Aviso, o demostrar cumplimiento con las leyes y obligaciones legales. Si no desea continuar con Getyourrefund, y desea que removamos su información de nuestros servicios eliminaremos su información dentro de 90 días de la finalización de los Servicios, a menos que la ley nos exija conservar su información. En ese caso, sólo conservaremos su información el tiempo que requiera dicha ley." + description: 'Conservaremos su información el tiempo necesario para: proporcionarle Servicios, llevar a cabo nuestra labor de manera consistente con este Aviso, o demostrar cumplimiento con las leyes y obligaciones legales. Si no desea continuar con Getyourrefund, y desea que removamos su información de nuestros servicios eliminaremos su información dentro de 90 días de la finalización de los Servicios, a menos que la ley nos exija conservar su información. En ese caso, sólo conservaremos su información el tiempo que requiera dicha ley.' header: Retención de Datos description: Esta Política de privacidad describe cómo recopilamos, usamos, compartimos y protegemos su información personal. Al utilizar nuestros Servicios, usted acepta los términos de esta Política de privacidad. Este Aviso de privacidad se aplica independientemente del tipo de dispositivo que utilice para acceder a nuestros Servicios. effective_date: @@ -6154,7 +6152,7 @@ es: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: "Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}" + description_html: 'Si tiene preguntas, comentarios, inquietudes o quejas sobre este Sitio, comuníquese con nosotros por correo electrónico a support@getyourrefund.org o por correo postal a: %{email_link}' header: Preguntas resolve: Haremos todo lo posible para resolver el problema. questions_html: Si tienes alguna pregunta sobre esta Notificación de Privacidad, contáctanos en %{email_link} @@ -6174,9 +6172,9 @@ es: title: Términos de código stimulus: facts_html: - - ¡Cobre su pago de estímulo de 2020 presentando su impuestos por medio de GetYourRefund! - - Revisa el estado de tu pago de estímulo en IRS Obtener mi pago website - - 'Llama a la Línea Directa de Pago de Impacto Económico 211 (en inglés: 211 Economic Impact Payment); +1 (844) 322-3639' + - ¡Cobre su pago de estímulo de 2020 presentando su impuestos por medio de GetYourRefund! + - Revisa el estado de tu pago de estímulo en IRS Obtener mi pago website + - 'Llama a la Línea Directa de Pago de Impacto Económico 211 (en inglés: 211 Economic Impact Payment); +1 (844) 322-3639' file_with_help: header: Recoja su pago de estímulo de 2020 presentando su declaración de impuestos hoy mismo! heading: "¿Necesitas ayuda para conseguir tu pago de estímulo (también conocido como Pago de Impacto Económico)?" @@ -6185,124 +6183,124 @@ es: eip: header: Preguntas frecuentes sobre el cheque de pago de impacto económico (estímulo) items: - - title: "¿El cheque del EIP afectará mis otros beneficios gubernamentales?" - content_html: No, los cheques del EIP se tratan como un crédito fiscal. Esto significa que su pago no afectará los beneficios que reciba ahora o en el futuro. - - title: Todavía necesito presentar una declaración de impuestos ¿Cuánto tiempo están disponibles los pagos por impacto económico? - content_html: Estos pagos seguirán estando disponibles mediante la presentación de una declaración de impuestos. Aunque la fecha límite oficial es el 17 de mayo, puede continuar presentando su solicitud hasta el 15 de octubre a través de GetYourRefund.org. - - title: "¿Si debo impuestos, o tengo un acuerdo de pago con el IRS, o tengo otras deudas federales o estatales, seguiré recibiendo el EIP?" - content_html: Si bien los pagos de estímulo realizados en 2020 estaban protegidos del embargo, no ocurre lo mismo con los pagos realizados a través de Créditos de recuperación de reembolso. - - title: "¿Qué pasa si estoy sobregirado en mi banco?" - content_html: |- - Si su banco o cooperativa de crédito ha tomado una parte de su EIP para cubrir el dinero que les debe, - la Oficina de Protección Financiera del Consumidor recomienda llamarlos para preguntarles si están dispuestos a ser flexibles. - - title: "¿Qué pasa si alguien ofrece un pago más rápido?" - content_html: No haga clic en enlaces cuyos orígenes no esté 100% seguro. Tenga cuidado con las estafas. Si parece demasiado bueno para ser verdad, probablemente lo sea. Y no envíe dinero a alguien que no conoce. Mire las tarifas que se cobran si está pagando su servicio de preparación de impuestos o un préstamo de anticipación de reembolso al hacer que se deduzcan de su reembolso. + - title: "¿El cheque del EIP afectará mis otros beneficios gubernamentales?" + content_html: No, los cheques del EIP se tratan como un crédito fiscal. Esto significa que su pago no afectará los beneficios que reciba ahora o en el futuro. + - title: Todavía necesito presentar una declaración de impuestos ¿Cuánto tiempo están disponibles los pagos por impacto económico? + content_html: Estos pagos seguirán estando disponibles mediante la presentación de una declaración de impuestos. Aunque la fecha límite oficial es el 17 de mayo, puede continuar presentando su solicitud hasta el 15 de octubre a través de GetYourRefund.org. + - title: "¿Si debo impuestos, o tengo un acuerdo de pago con el IRS, o tengo otras deudas federales o estatales, seguiré recibiendo el EIP?" + content_html: Si bien los pagos de estímulo realizados en 2020 estaban protegidos del embargo, no ocurre lo mismo con los pagos realizados a través de Créditos de recuperación de reembolso. + - title: "¿Qué pasa si estoy sobregirado en mi banco?" + content_html: |- + Si su banco o cooperativa de crédito ha tomado una parte de su EIP para cubrir el dinero que les debe, + la Oficina de Protección Financiera del Consumidor recomienda llamarlos para preguntarles si están dispuestos a ser flexibles. + - title: "¿Qué pasa si alguien ofrece un pago más rápido?" + content_html: No haga clic en enlaces cuyos orígenes no esté 100% seguro. Tenga cuidado con las estafas. Si parece demasiado bueno para ser verdad, probablemente lo sea. Y no envíe dinero a alguien que no conoce. Mire las tarifas que se cobran si está pagando su servicio de preparación de impuestos o un préstamo de anticipación de reembolso al hacer que se deduzcan de su reembolso. how_to_get_paid: header: "¿Cómo cobrar?" items: - - title: "¿Cómo puedo recibir mi cheque del Pago de Impacto Económico?" - content_html: Si el IRS aún no ha enviado su primera o segunda ronda de pagos de estímulo, o si recibió una cantidad incorrecta para cualquier de los dos pagos, tendrá que presentar una declaración de impuestos de 2020 para poder recibirlo. - - title: "¿Cómo puedo determinar si el IRS ha enviado mi pago de estímulo?" - content_html: |- - Si no está seguro de si el IRS ha enviado su tercer pago de estímulo o quiere comprobar el estado, puede buscar en el sitio web del IRS - Obtener mi pago. Para ver si ha recibido los anteriores pagos de estímulo, y qué cantidad, debe - ver o crear una cuenta en línea con el IRS. - - title: "¿Qué pasa si hay problemas con los datos de mi cuenta bancaria?" - content_html: |- - Si el IRS no puede depositar en la cuenta que tiene registrada, le enviarán el pago por correo a la dirección que tiene registrada. Si el correo es devuelto, la herramienta - Obtener mi pago mostrará un estado de "se necesita más información" y usted tendrá la oportunidad de proporcionar nueva información bancaria. - - title: "¿Qué pasa si no he declarado los impuestos federales?" - content_html: Le recomendamos que presente su declaración de impuestos para poder acceder a los Pagos por Impacto Económico y a cualquier crédito fiscal adicional al que pueda ser elegible. Puede presentar las declaraciones de 2018, 2019, 2020 y 2021 de manera gratuita con GetYourRefund. - - title: "¿Qué pasa si no tengo una cuenta bancaria?" - content_html: |- - Si no tiene una cuenta bancaria, puede tardar hasta cinco meses en recibir su cheque del EIP por correo. Para recibir su pago rápidamente a través de un depósito directo, - regístrese en una cuenta bancaria en línea y añada la información de su cuenta cuando presente su declaración. Si no quiere registrarse en una cuenta bancaria, puede vincular su tarjeta de débito prepagada o - Cash App en su lugar. Muchos de nuestros colaboradores de VITA también pueden inscribirlo en una tarjeta de débito prepagada cuando presente su declaración. - - title: "¿Y si me he mudado desde el año pasado?" - content_html: |- - La forma más fácil de actualizar su dirección es presentando su declaración de 2020 con la dirección correcta. Si ya ha presentado la declaración con su antigua dirección, puede utilizar el sitio web de cambio de dirección del - IRS para actualizar su dirección. Puede haber retrasos en la recepción de su EIP - podría tardar hasta cinco meses en recibir su cheque por correo. + - title: "¿Cómo puedo recibir mi cheque del Pago de Impacto Económico?" + content_html: Si el IRS aún no ha enviado su primera o segunda ronda de pagos de estímulo, o si recibió una cantidad incorrecta para cualquier de los dos pagos, tendrá que presentar una declaración de impuestos de 2020 para poder recibirlo. + - title: "¿Cómo puedo determinar si el IRS ha enviado mi pago de estímulo?" + content_html: |- + Si no está seguro de si el IRS ha enviado su tercer pago de estímulo o quiere comprobar el estado, puede buscar en el sitio web del IRS + Obtener mi pago. Para ver si ha recibido los anteriores pagos de estímulo, y qué cantidad, debe + ver o crear una cuenta en línea con el IRS. + - title: "¿Qué pasa si hay problemas con los datos de mi cuenta bancaria?" + content_html: |- + Si el IRS no puede depositar en la cuenta que tiene registrada, le enviarán el pago por correo a la dirección que tiene registrada. Si el correo es devuelto, la herramienta + Obtener mi pago mostrará un estado de "se necesita más información" y usted tendrá la oportunidad de proporcionar nueva información bancaria. + - title: "¿Qué pasa si no he declarado los impuestos federales?" + content_html: Le recomendamos que presente su declaración de impuestos para poder acceder a los Pagos por Impacto Económico y a cualquier crédito fiscal adicional al que pueda ser elegible. Puede presentar las declaraciones de 2018, 2019, 2020 y 2021 de manera gratuita con GetYourRefund. + - title: "¿Qué pasa si no tengo una cuenta bancaria?" + content_html: |- + Si no tiene una cuenta bancaria, puede tardar hasta cinco meses en recibir su cheque del EIP por correo. Para recibir su pago rápidamente a través de un depósito directo, + regístrese en una cuenta bancaria en línea y añada la información de su cuenta cuando presente su declaración. Si no quiere registrarse en una cuenta bancaria, puede vincular su tarjeta de débito prepagada o + Cash App en su lugar. Muchos de nuestros colaboradores de VITA también pueden inscribirlo en una tarjeta de débito prepagada cuando presente su declaración. + - title: "¿Y si me he mudado desde el año pasado?" + content_html: |- + La forma más fácil de actualizar su dirección es presentando su declaración de 2020 con la dirección correcta. Si ya ha presentado la declaración con su antigua dirección, puede utilizar el sitio web de cambio de dirección del + IRS para actualizar su dirección. Puede haber retrasos en la recepción de su EIP - podría tardar hasta cinco meses en recibir su cheque por correo. header: Obtener su pago de estímulo (EIP en Inglés) intro: common_questions: Sabemos que hay muchas preguntas en torno a los Pagos de Impacto Económico (EIP) y tenemos algunas respuestas. Hemos escogido algunas preguntas comunes para ayudarle. description: - - El gobierno federal ha comenzado a enviar la tercera ronda de pagos de impacto económico (EIPs en Inglés) a menudo llamada pago de estímulo). En esta ronda, los individuos pueden recibir hasta $1,400 por sí mismos ($2,800 por una pareja casada que se presenta conjuntamente) y $1,400 adicionales por cada dependiente. - - Si aún no ha recibido este pago o rondas de pagos anteriores, ¡no es demasiado tarde! Todavía puede reclamarlos en la declaración de impuestos de este año. + - El gobierno federal ha comenzado a enviar la tercera ronda de pagos de impacto económico (EIPs en Inglés) a menudo llamada pago de estímulo). En esta ronda, los individuos pueden recibir hasta $1,400 por sí mismos ($2,800 por una pareja casada que se presenta conjuntamente) y $1,400 adicionales por cada dependiente. + - Si aún no ha recibido este pago o rondas de pagos anteriores, ¡no es demasiado tarde! Todavía puede reclamarlos en la declaración de impuestos de este año. eligibility: header: "¿Quién es elegible?" info: - - Para la primera ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $1,200 para individuos o $2,400 para parejas casadas y hasta $500 por cada niño calificado menor de 17 años. Para la segunda ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $600 para individuos o $1,200 para parejas casadas y hasta $600 por cada niño calificado. - - En cada ronda de pagos, los declarantes de impuestos con ingresos brutos ajustados de hasta $75,000 para individuos, hasta $112,500 para aquellos que se presentan como jefes de familia, y hasta $150,000 para parejas casadas que presentan declaraciones conjuntas reciben el pago completo. Para los declarantes con ingresos superiores a esas cantidades, el monto del pago se reduce gradualmente. - - En las dos primeras rondas de pagos, sólo los niños menores de 17 años podían ser reclamados por el pago de dependiente. Otros dependientes no eran elegibles — y tampoco podían reclamar el EIP ellos mismos. En la tercera ronda de pagos, todos los dependientes, incluidos los estudiantes universitarios y los dependientes adultos, pueden ser reclamados. Además, como se describe a continuación, algunos niños en hogares de estatus de inmigración mixta que antes no eran elegibles, pueden recibir el tercer pago. - - "El IRS realizó las dos primeras rondas de pagos basándose en la información que tenía de las declaraciones de impuestos de 2018 o 2019. Si usted es elegible para un pago más grande basado en su información de 2020, puede reclamar este crédito cuando presente su declaración de 2020. Por ejemplo:" + - Para la primera ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $1,200 para individuos o $2,400 para parejas casadas y hasta $500 por cada niño calificado menor de 17 años. Para la segunda ronda, los contribuyentes elegibles recibieron un pago de impacto económico de hasta $600 para individuos o $1,200 para parejas casadas y hasta $600 por cada niño calificado. + - En cada ronda de pagos, los declarantes de impuestos con ingresos brutos ajustados de hasta $75,000 para individuos, hasta $112,500 para aquellos que se presentan como jefes de familia, y hasta $150,000 para parejas casadas que presentan declaraciones conjuntas reciben el pago completo. Para los declarantes con ingresos superiores a esas cantidades, el monto del pago se reduce gradualmente. + - En las dos primeras rondas de pagos, sólo los niños menores de 17 años podían ser reclamados por el pago de dependiente. Otros dependientes no eran elegibles — y tampoco podían reclamar el EIP ellos mismos. En la tercera ronda de pagos, todos los dependientes, incluidos los estudiantes universitarios y los dependientes adultos, pueden ser reclamados. Además, como se describe a continuación, algunos niños en hogares de estatus de inmigración mixta que antes no eran elegibles, pueden recibir el tercer pago. + - 'El IRS realizó las dos primeras rondas de pagos basándose en la información que tenía de las declaraciones de impuestos de 2018 o 2019. Si usted es elegible para un pago más grande basado en su información de 2020, puede reclamar este crédito cuando presente su declaración de 2020. Por ejemplo:' info_last_html: - - Para reclamar este crédito, deberá informar cuánto recibió de los dos EIP en 2020. Sin embargo, no tendrá que pagar los pagos de estímulo que recibió si sus ingresos aumentaron en 2020 o el número de dependientes que afirmó bajó. Deberá completar la hoja de trabajo de crédito de reembolso de recuperación para la línea 30 del formulario de impuestos 2020 1040. Podemos ayudarle con estos formularios si presenta su declaración a través de GetYourRefund. - - Si tiene ingresos del trabajo o dependientes, es posible que pueda acceder a créditos o beneficios fiscales adicionales al presentar o actualizar su información con el IRS. Comuníquese a través del chat para obtener más información. + - Para reclamar este crédito, deberá informar cuánto recibió de los dos EIP en 2020. Sin embargo, no tendrá que pagar los pagos de estímulo que recibió si sus ingresos aumentaron en 2020 o el número de dependientes que afirmó bajó. Deberá completar la hoja de trabajo de crédito de reembolso de recuperación para la línea 30 del formulario de impuestos 2020 1040. Podemos ayudarle con estos formularios si presenta su declaración a través de GetYourRefund. + - Si tiene ingresos del trabajo o dependientes, es posible que pueda acceder a créditos o beneficios fiscales adicionales al presentar o actualizar su información con el IRS. Comuníquese a través del chat para obtener más información. list: - - Solo recibió un pago parcial debido a la eliminación gradual, pero perdió su trabajo debido a COVID-19 y sus ingresos fueron menores en 2020 que en 2019. - - Tuvo un nuevo bebé en 2020. - - Usted podría ser reclamado como dependiente de otra persona en 2019, pero no en 2020. - - No estaba obligado a presentar una declaración de impuestos en 2018 o 2019, y no cumplió con la fecha límite para utilizar el portal de no declarantes para reclamar los pagos. + - Solo recibió un pago parcial debido a la eliminación gradual, pero perdió su trabajo debido a COVID-19 y sus ingresos fueron menores en 2020 que en 2019. + - Tuvo un nuevo bebé en 2020. + - Usted podría ser reclamado como dependiente de otra persona en 2019, pero no en 2020. + - No estaba obligado a presentar una declaración de impuestos en 2018 o 2019, y no cumplió con la fecha límite para utilizar el portal de no declarantes para reclamar los pagos. irs_info_html: El Departamento del Tesoro y el Servicio de Impuestos Internos (IRS) publicará toda la información importante en %{irs_eip_link} tan pronto como esté disponible. last_updated: Actualizado el 6 de Abril de 2021 mixed_status_eligibility: header: "¿Son elegibles las familias de estatus migratorio mixto?" info_html: - - Originalmente, las familias con estatus migratorio mixto no tenían derecho a la primera ronda de pagos. Sin embargo, ahora las familias con estatus mixto pueden solicitar tanto la primera como la segunda ronda de pagos en la declaración de impuestos de este año. Para la segunda ronda de pagos, si usted presenta la declaración conjuntamente con su cónyuge y sólo uno de ustedes tiene un número de seguro social válido, el cónyuge con el número de seguro social válido recibirá hasta 600 dólares y hasta 600 dólares por cualquier hijo que reúna los requisitos y tenga un número de seguro social. Sin embargo, el cónyuge que no tenga un número de seguro social válido no será elegible. Las mismas reglas ahora también se aplican para la primera ronda de pagos. - - |- - Para la tercera ronda de pagos, los declarantes que presenten sus impuestos con el Número de Identificación Personal (ITIN) pueden solicitar el EIP para sus dependientes que tengan números de seguro social. Puede obtener un ITIN presentando el - formulario I-7 y la documentación requerida con su declaración de impuestos, o llevando el formulario y la documentación a un - Agente de Aceptación Certificado. + - Originalmente, las familias con estatus migratorio mixto no tenían derecho a la primera ronda de pagos. Sin embargo, ahora las familias con estatus mixto pueden solicitar tanto la primera como la segunda ronda de pagos en la declaración de impuestos de este año. Para la segunda ronda de pagos, si usted presenta la declaración conjuntamente con su cónyuge y sólo uno de ustedes tiene un número de seguro social válido, el cónyuge con el número de seguro social válido recibirá hasta 600 dólares y hasta 600 dólares por cualquier hijo que reúna los requisitos y tenga un número de seguro social. Sin embargo, el cónyuge que no tenga un número de seguro social válido no será elegible. Las mismas reglas ahora también se aplican para la primera ronda de pagos. + - |- + Para la tercera ronda de pagos, los declarantes que presenten sus impuestos con el Número de Identificación Personal (ITIN) pueden solicitar el EIP para sus dependientes que tengan números de seguro social. Puede obtener un ITIN presentando el + formulario I-7 y la documentación requerida con su declaración de impuestos, o llevando el formulario y la documentación a un + Agente de Aceptación Certificado. title: Pago de estímulo tax_questions: cannot_answer: different_services: Preguntas sobre los impuestos declarados mediante otro servicio (p. ej., H&R Block o TurboTax) - header: "No podemos responder a lo siguiente:" + header: 'No podemos responder a lo siguiente:' refund_amounts: El monto del reembolso que recibirá header: "¡Tratemos de responder a sus preguntas sobre los impuestos!" see_faq: Consulte nuestras preguntas frecuentes @@ -6338,7 +6336,7 @@ es: title: Vaya, parece que estamos al límite de capacidad en este momento. warning_html: "Un recordatorio amistoso de que la fecha límite de presentación es el %{tax_deadline}. Recomendamos presentar la solicitud lo antes posible." backtaxes: - select_all_that_apply: "Seleccione todos los años que desea declarar:" + select_all_that_apply: 'Seleccione todos los años que desea declarar:' title: "¿Para cuál o cuáles de los siguientes años le gustaría declarar?" balance_payment: title: Si tiene un saldo pendiente, ¿le gustaría realizar un pago directamente desde su cuenta bancaria? @@ -6598,7 +6596,7 @@ es: consent_to_disclose_html: Consentimiento para divulgar: Usted nos permite enviar su información fiscal a la empresa de software de impuestos y a la institución financiera que especificó (si corresponde). consent_to_use_html: Consentimiento para usar: Usted nos permite incluir su declaración de impuestos en informes. global_carryforward_html: Traspaso global: usted nos permite poner la información de su declaración de impuestos a disposición de otros programas de VITA que pueda visitar. - help_text_html: "Respetamos su privacidad. Tiene la opción de dar su consentimiento para lo siguiente:" + help_text_html: 'Respetamos su privacidad. Tiene la opción de dar su consentimiento para lo siguiente:' legal_details_html: |

      La ley Federal requiere que le proporcionemos este formulario de consentimiento. A menos que la ley lo autorice, no podemos divulgar sin su consentimiento la información de su declaración de impuestos a terceros para propósitos diferentes a la preparación y presentación de su declaración de impuestos. Si usted da su consentimiento para la divulgación de la información de su declaración de impuestos, la ley Federal tal vez no pueda proteger la información de su declaración de impuestos de uso adicional o distribución.

      @@ -6739,7 +6737,7 @@ es: other: En el %{year}, ¿usted o su cónyuge pagó interés de algún préstamo educativo? successfully_submitted: additional_text: Guarde este número para sus registros y futuras referencias. - client_id: "Número de identificación del cliente: %{client_id}" + client_id: 'Número de identificación del cliente: %{client_id}' next_steps: confirmation_message: En seguido, recibirá un mensaje de confirmación. header: Próximos pasos @@ -6760,7 +6758,7 @@ es: one: "¿Ha sido rechazado en el año anterior el Crédito por Ingreso del Trabajo, el Crédito Tributario por Hijos, el Crédito por Oportunidad Estadounidense o el estado civil de Jefe de Familia?" other: "¿Ha tenido usted o su pareja el crédito por ingreso del trabajo, el crédito tributario por hijos, el crédito por oportunidad estadounidense o el estado civil de cabeza de familia rechazado en un año anterior?" verification: - body: "Se le ha enviado un mensaje con su código a:" + body: 'Se le ha enviado un mensaje con su código a:' error_message: El código de verificación es incorrecto title: "¡Verifiquemos esa información de contacto con un código!" verification_code_label: Ingrese el código de 6 dígitos @@ -6796,55 +6794,55 @@ es: consent_agreement: details: header: Detalles - intro: "Este sitio utiliza un proceso 100% virtual de VITA / TCE: este método incluye interacciones no cara a cara con el contribuyente y cualquiera de los voluntarios de VITA / TCE durante la admisión, entrevista, preparación de la declaración, revisión de calidad y firma de la declaración de impuestos. Se le explicará al contribuyente el proceso completo y se requiere que dé su consentimiento para el proceso paso a paso utilizado por el sitio. Esto incluye los procedimientos virtuales para enviar los documentos requeridos (números de seguro social, formulario W-2 y otros documentos) a través de un sistema seguro para compartir archivos a un voluntario designado para su revisión." + intro: 'Este sitio utiliza un proceso 100% virtual de VITA / TCE: este método incluye interacciones no cara a cara con el contribuyente y cualquiera de los voluntarios de VITA / TCE durante la admisión, entrevista, preparación de la declaración, revisión de calidad y firma de la declaración de impuestos. Se le explicará al contribuyente el proceso completo y se requiere que dé su consentimiento para el proceso paso a paso utilizado por el sitio. Esto incluye los procedimientos virtuales para enviar los documentos requeridos (números de seguro social, formulario W-2 y otros documentos) a través de un sistema seguro para compartir archivos a un voluntario designado para su revisión.' sections: - - header: Resumen - content: - - Comprendo esta Asistencia Voluntaria al Contribuyente Tributario (VITA) es una Programas de Impuestos Gratuitos Ofrecidos que protege mis derechos civiles. - - Entiendo que GetYourRefund.org es un sitio web dirigido por Code for America, una organización sin fines de lucro, que enviará mi información tributaria a un sitio de preparación de VITA. - - header: La obtención del acuerdo de consentimiento del contribuyente - content: - - Entiendo que seleccionar "Acepto" proporciona mi consentimiento para el proceso de preparación de impuestos de GetYourRefund. - - header: La realización del proceso de admisión (obtener todos los documentos) - content: - - "Proceso de admisión: GetYourRefund coleccionará su información y documentación a través del proceso de admisión para preparar con precisión su declaración de impuestos. Todos los documentos seran guardados y asegurados en el sistema." - - Entiendo que debo de proporcionar toda la información/documentación requerida para preparar una declaración de impuestos correcta. - - header: Validación de la autenticidad del contribuyente (revisión de identificación con foto y tarjetas de seguro social / ITINS) - content: - - Entiendo que este sitio recopila la información de identificación personal que proporciono (números de seguro social, Formulario W-2 y / o 1099, identificación con foto y otros documentos) para preparar y revisar mi declaración de impuestos. La identidad se valida mediante la revisión de una identificación con foto, prueba de número de seguro social o Número de Identificación Personal (ITIN) y una foto del contribuyente con su identificación. - - header: La realización de la entrevista con el (los) contribuyente (s) - content: - - Entiendo que debo participar en una entrevista de admisión por teléfono para que un sitio de VITA prepare mi declaración de impuestos. - - header: La preparación de la declaración de impuestos - content: - - "Proceso de preparación de la declaración: GetYourRefund utilizará su información/documentación para completar una declaración de impuestos." - - Entiendo que alguien podría comunicarse conmigo a través del medio que yo prefiera para obtener más información. Si el preparador tiene todo lo necesario para preparar la declaración, nadie se comunicará conmigo hasta que la declaración esté lista. - - header: La realización de la revisión de calidad - content: - - Entiendo que debo participar en una Revisión de Calidad por teléfono para que un sitio VITA prepare mi declaración de impuestos. - - Entiendo que tengo que revisar mi declaración de impuestos cuando esté lista para verificar que los nombres, números del Seguro Social, la dirección, la información bancaria, los ingresos y gastos sean correctos a mi entender. - - header: Compartir la declaración completa - content: - - "Proceso de control de calidad: GetYourRefund le enviará su declaración para que la verifique antes de presentarla." - - header: La firma de la declaración - content: - - Entiendo que tendré que firmar el formulario 8879 (SP), la autorización de firma electrónica del IRS para presentar la declaración por Internet, mediante una firma electrónica que enviaré por correo electrónico, después de completar la revisión de calidad para que un sitio de preparación de VITA pueda presentar mi declaración de impuestos en línea. - - Entiendo que mi pareja (si tengo) y yo somos responsables en última instancia de toda la información proporcionada a GetYourRefund. - - header: La presentación electrónica de la declaración de impuestos - content: - - Entiendo que GetYourRefund va a entregar mi declaración de impuestos al IRS electrónicamente. - - header: Solicitud Para Verificar la Precisión de su Declaración de Impuestos - content: - - Para asegurar que usted esta recibiendo servicio de alta calidad y una declaración de impuestos preparada correctamente en el sitio de voluntarios, los empleados del IRS hacen una selección aleatoria de los sitios de preparación gratuita de impuestos para revisión. Si se identifican errores el sitio hará las correcciones necesarias. El IRS no retiene ninguna información personal de su declaración de impuestos durante la revisión, y esta les permite dar una calificación a nuestros programas de preparación de impuestos VITA/TCE por preparar declaraciones de impuestos correctamente. Al dar su consentimiento a este servicio usted también da su consentimiento a que su declaración sea revisada por un empleado del IRS para verificar su precisión si el sitio que prepara esta declaración es elegido para revisión. - - header: Consentimiento virtual para la divulgación - content: - - Si acepta que su declaración de impuestos se prepare y sus documentos tributarios se tramiten de la manera anterior, su firma y/o acuerdo son obligatorios en este documento. Firmar este documento significa que usted está de acuerdo con los procedimientos indicados anteriormente para que le preparen una declaración de impuestos. (Si se trata de una declaración de casado con presentación conjunta, ambos cónyuges tienen que firmar y fechar este documento). Si opta por no firmar este formulario, es posible que no podamos preparar su declaración de impuestos mediante este proceso. Ya que preparamos su declaración de impuestos virtualmente, tenemos que obtener su consentimiento de que acepta este proceso. - - Si usted da su consentimiento para utilizar estos sistemas virtuales que no pertenecen al IRS para divulgar o utilizar su información sobre la declaración de impuestos, la ley federal puede que no proteja la información de su declaración de impuestos de un uso o distribución adicional en caso de que estos sistemas sean pirateados o violados sin nuestro conocimiento. - - Si usted acepta la divulgación de la información de su declaración de impuestos, su consentimiento es válido por la cantidad de tiempo que lo especifique. Si no especifica la duración de su consentimiento, su consentimiento es válido por un año a partir de la fecha de la firma. - - Si usted cree que la información de su declaración de impuestos ha sido divulgada o utilizada indebidamente de una manera no autorizada por la ley o sin su permiso, puede comunicarse con el Inspector General del Tesoro para la Administración Tributaria (TIGTA, por sus siglas en inglés) por teléfono al 1-800-366-4484 o por correo electrónico a complaints@tigta.treas.gov. - - Mientras que el IRS es responsable de proveer los requisitos de supervisión a los programas de Asistencia Voluntaria con los Impuestos sobre los Ingresos (VITA, por sus siglas en inglés) y la Asesoría Tributaria para la Personas de Edad Avanzada (TCE, por sus siglas en inglés), estos sitios son operados por socios patrocinados por el IRS que gestionan los requisitos de las operaciones del sitio del IRS y las normas éticas de los voluntarios. Además, las ubicaciones de estos sitios pueden no estar en la propiedad federal. - - Al firmar más abajo, usted y su cónyuge (si aplica a su situación) aceptan participar en el proceso y dan su consentimiento a que GetYourRefund les ayude a preparar sus impuestos. Ustedes aceptan los términos de la política de privacidad en www.GetYourRefund.org/privacy. - - Este formulario de consentimiento reemplaza el formulario 14446 (SP) del IRS, consentimiento del contribuyente del VITA/TCE Virtual. Una copia copia de este consentimiento sera conservada, como lo exige el IRS. + - header: Resumen + content: + - Comprendo esta Asistencia Voluntaria al Contribuyente Tributario (VITA) es una Programas de Impuestos Gratuitos Ofrecidos que protege mis derechos civiles. + - Entiendo que GetYourRefund.org es un sitio web dirigido por Code for America, una organización sin fines de lucro, que enviará mi información tributaria a un sitio de preparación de VITA. + - header: La obtención del acuerdo de consentimiento del contribuyente + content: + - Entiendo que seleccionar "Acepto" proporciona mi consentimiento para el proceso de preparación de impuestos de GetYourRefund. + - header: La realización del proceso de admisión (obtener todos los documentos) + content: + - 'Proceso de admisión: GetYourRefund coleccionará su información y documentación a través del proceso de admisión para preparar con precisión su declaración de impuestos. Todos los documentos seran guardados y asegurados en el sistema.' + - Entiendo que debo de proporcionar toda la información/documentación requerida para preparar una declaración de impuestos correcta. + - header: Validación de la autenticidad del contribuyente (revisión de identificación con foto y tarjetas de seguro social / ITINS) + content: + - Entiendo que este sitio recopila la información de identificación personal que proporciono (números de seguro social, Formulario W-2 y / o 1099, identificación con foto y otros documentos) para preparar y revisar mi declaración de impuestos. La identidad se valida mediante la revisión de una identificación con foto, prueba de número de seguro social o Número de Identificación Personal (ITIN) y una foto del contribuyente con su identificación. + - header: La realización de la entrevista con el (los) contribuyente (s) + content: + - Entiendo que debo participar en una entrevista de admisión por teléfono para que un sitio de VITA prepare mi declaración de impuestos. + - header: La preparación de la declaración de impuestos + content: + - 'Proceso de preparación de la declaración: GetYourRefund utilizará su información/documentación para completar una declaración de impuestos.' + - Entiendo que alguien podría comunicarse conmigo a través del medio que yo prefiera para obtener más información. Si el preparador tiene todo lo necesario para preparar la declaración, nadie se comunicará conmigo hasta que la declaración esté lista. + - header: La realización de la revisión de calidad + content: + - Entiendo que debo participar en una Revisión de Calidad por teléfono para que un sitio VITA prepare mi declaración de impuestos. + - Entiendo que tengo que revisar mi declaración de impuestos cuando esté lista para verificar que los nombres, números del Seguro Social, la dirección, la información bancaria, los ingresos y gastos sean correctos a mi entender. + - header: Compartir la declaración completa + content: + - 'Proceso de control de calidad: GetYourRefund le enviará su declaración para que la verifique antes de presentarla.' + - header: La firma de la declaración + content: + - Entiendo que tendré que firmar el formulario 8879 (SP), la autorización de firma electrónica del IRS para presentar la declaración por Internet, mediante una firma electrónica que enviaré por correo electrónico, después de completar la revisión de calidad para que un sitio de preparación de VITA pueda presentar mi declaración de impuestos en línea. + - Entiendo que mi pareja (si tengo) y yo somos responsables en última instancia de toda la información proporcionada a GetYourRefund. + - header: La presentación electrónica de la declaración de impuestos + content: + - Entiendo que GetYourRefund va a entregar mi declaración de impuestos al IRS electrónicamente. + - header: Solicitud Para Verificar la Precisión de su Declaración de Impuestos + content: + - Para asegurar que usted esta recibiendo servicio de alta calidad y una declaración de impuestos preparada correctamente en el sitio de voluntarios, los empleados del IRS hacen una selección aleatoria de los sitios de preparación gratuita de impuestos para revisión. Si se identifican errores el sitio hará las correcciones necesarias. El IRS no retiene ninguna información personal de su declaración de impuestos durante la revisión, y esta les permite dar una calificación a nuestros programas de preparación de impuestos VITA/TCE por preparar declaraciones de impuestos correctamente. Al dar su consentimiento a este servicio usted también da su consentimiento a que su declaración sea revisada por un empleado del IRS para verificar su precisión si el sitio que prepara esta declaración es elegido para revisión. + - header: Consentimiento virtual para la divulgación + content: + - Si acepta que su declaración de impuestos se prepare y sus documentos tributarios se tramiten de la manera anterior, su firma y/o acuerdo son obligatorios en este documento. Firmar este documento significa que usted está de acuerdo con los procedimientos indicados anteriormente para que le preparen una declaración de impuestos. (Si se trata de una declaración de casado con presentación conjunta, ambos cónyuges tienen que firmar y fechar este documento). Si opta por no firmar este formulario, es posible que no podamos preparar su declaración de impuestos mediante este proceso. Ya que preparamos su declaración de impuestos virtualmente, tenemos que obtener su consentimiento de que acepta este proceso. + - Si usted da su consentimiento para utilizar estos sistemas virtuales que no pertenecen al IRS para divulgar o utilizar su información sobre la declaración de impuestos, la ley federal puede que no proteja la información de su declaración de impuestos de un uso o distribución adicional en caso de que estos sistemas sean pirateados o violados sin nuestro conocimiento. + - Si usted acepta la divulgación de la información de su declaración de impuestos, su consentimiento es válido por la cantidad de tiempo que lo especifique. Si no especifica la duración de su consentimiento, su consentimiento es válido por un año a partir de la fecha de la firma. + - Si usted cree que la información de su declaración de impuestos ha sido divulgada o utilizada indebidamente de una manera no autorizada por la ley o sin su permiso, puede comunicarse con el Inspector General del Tesoro para la Administración Tributaria (TIGTA, por sus siglas en inglés) por teléfono al 1-800-366-4484 o por correo electrónico a complaints@tigta.treas.gov. + - Mientras que el IRS es responsable de proveer los requisitos de supervisión a los programas de Asistencia Voluntaria con los Impuestos sobre los Ingresos (VITA, por sus siglas en inglés) y la Asesoría Tributaria para la Personas de Edad Avanzada (TCE, por sus siglas en inglés), estos sitios son operados por socios patrocinados por el IRS que gestionan los requisitos de las operaciones del sitio del IRS y las normas éticas de los voluntarios. Además, las ubicaciones de estos sitios pueden no estar en la propiedad federal. + - Al firmar más abajo, usted y su cónyuge (si aplica a su situación) aceptan participar en el proceso y dan su consentimiento a que GetYourRefund les ayude a preparar sus impuestos. Ustedes aceptan los términos de la política de privacidad en www.GetYourRefund.org/privacy. + - Este formulario de consentimiento reemplaza el formulario 14446 (SP) del IRS, consentimiento del contribuyente del VITA/TCE Virtual. Una copia copia de este consentimiento sera conservada, como lo exige el IRS. site_process_header: El Proceso en el Sitio de GetYourRefund information_you_provide: Usted entiende que la información que proporciona en este sitio web (GetYourRefund.org) se envía a un sitio de preparación de Asistencia Voluntaria al Contribuyente (VITA, por sus siglas en inglés) para que un voluntario certificado por el Servicio de Rentas Internas (IRS, por sus siglas en inglés) revise su información, realice una entrevista de admisión por teléfono, prepare su declaración de impuestos y haga una revisión de calidad antes de presentarla. proceed_and_confirm: Al continuar, usted confirma que las siguientes declaraciones son verdaderas y completas hasta donde se sabe. @@ -6865,13 +6863,13 @@ es: grayscale_partner_logo: provider_homepage: Portada de %{provider_name} progress_bar: - progress_text: "Progreso de la admisión:" + progress_text: 'Progreso de la admisión:' service_comparison: additional_benefits: Beneficios adicionales all_services: Todos los servicios ofrecen soporte por correo electrónico y están disponibles en Inglés y Español. chat_support: Asistencia por chat filing_years: - title: "Años en que se hicieron declaraciones:" + title: 'Años en que se hicieron declaraciones:' id_documents: diy: Números de identificación o ID en inglés full_service: Foto @@ -6918,7 +6916,7 @@ es: diy: 45 minutos full_service: De 2 a 3 semanas subtitle: Los plazos de tramitación de los pagos del IRS varían de 3-6 semanas - title: "Plazo de tiempo para presentar la declaración:" + title: 'Plazo de tiempo para presentar la declaración:' title_html: |- Declaración de impuestos gratuita para las familias que califican.
      ¡Encuentre el servicio de impuestos adecuado para usted! From c3d1ed4872c7131a218e2fa5e8e1da988e7ca99f Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 13:34:45 -0500 Subject: [PATCH 04/18] Set when not set for initial creation via factory Co-authored-by: Hugo Melo --- app/models/concerns/date_accessible.rb | 16 +++++++++------- spec/factories/az321_contributions.rb | 1 + 2 files changed, 10 insertions(+), 7 deletions(-) diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index 1413967ad2..aedf4fadb8 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -44,14 +44,16 @@ def self.date_writer(*properties) attr_writer :"#{property}_month", :"#{property}_year", :"#{property}_day" before_validation do - send( - "#{property}=", - Date.new( - send("#{property}_year").to_i, - send("#{property}_month").to_i, - send("#{property}_day").to_i, + if send(property.to_s).blank? && send("#{property}_year").present? && send("#{property}_month").present? && send("#{property}_day").present? + send( + "#{property}=", + Date.new( + send("#{property}_year").to_i, + send("#{property}_month").to_i, + send("#{property}_day").to_i, + ) ) - ) + end rescue Date::Error send("#{property}=", nil) end diff --git a/spec/factories/az321_contributions.rb b/spec/factories/az321_contributions.rb index 7f91f5e3e4..52d422fa15 100644 --- a/spec/factories/az321_contributions.rb +++ b/spec/factories/az321_contributions.rb @@ -24,3 +24,4 @@ state_file_az_intake end end + From 268f84f9fbf866ae5c79b703ae1e7080182bd715 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 14:29:41 -0500 Subject: [PATCH 05/18] Fix model spec Co-authored-by: Hugo Melo --- spec/models/az321_contribution_spec.rb | 32 +------------------------- 1 file changed, 1 insertion(+), 31 deletions(-) diff --git a/spec/models/az321_contribution_spec.rb b/spec/models/az321_contribution_spec.rb index 683a957b49..9cafcfd4c0 100644 --- a/spec/models/az321_contribution_spec.rb +++ b/spec/models/az321_contribution_spec.rb @@ -22,7 +22,7 @@ describe 'simple validation' do it { should validate_presence_of :charity_name } - it { should validate_presence_of :date_of_contribution } + it { should validate_inclusion_of(:date_of_contribution).in_range(described_class::TAX_YEAR.beginning_of_year..described_class::TAX_YEAR.end_of_year) } end describe '#made_az321_contributions' do @@ -44,36 +44,6 @@ end describe '#date_of_contribution' do - it 'should be valid in the current tax year' do - az = Az321Contribution.new(state_file_az_intake: intake) - - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year - - az.valid? - - expect(az.errors[:date_of_contribution]).to be_empty - end - - it 'should be invalid in the previous year' do - az = Az321Contribution.new(state_file_az_intake: intake) - - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year - 1 - - az.valid? - - expect(az.errors[:date_of_contribution]).not_to be_empty - end - - it 'should be invalid in the next year' do - az = Az321Contribution.new(state_file_az_intake: intake) - - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year + 1 - - az.valid? - - expect(az.errors[:date_of_contribution]).not_to be_empty - end - it 'should be valid when a correct date is provided' do az = Az321Contribution.new(state_file_az_intake: intake) From 4d23e82a76d151d87501e4bf2255e82c8b0692c6 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 14:54:27 -0500 Subject: [PATCH 06/18] Fix failing model spec Co-authored-by: Hugo Melo --- spec/models/az322_contribution_spec.rb | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/spec/models/az322_contribution_spec.rb b/spec/models/az322_contribution_spec.rb index eda648aa41..89a7e13341 100644 --- a/spec/models/az322_contribution_spec.rb +++ b/spec/models/az322_contribution_spec.rb @@ -86,7 +86,7 @@ describe '#date_of_contribution' do it 'should be valid in the current tax year' do - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year + az.date_of_contribution = Date.new(Rails.configuration.statefile_current_tax_year, 1, 1) az.valid? @@ -94,7 +94,7 @@ end it 'should be invalid in the previous year' do - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year - 1 + az.date_of_contribution = Date.new(Rails.configuration.statefile_current_tax_year - 1, 1, 1) az.valid? @@ -102,7 +102,7 @@ end it 'should be invalid in the next year' do - az.date_of_contribution_year = Rails.configuration.statefile_current_tax_year + 1 + az.date_of_contribution = Date.new(Rails.configuration.statefile_current_tax_year + 1, 1, 1) az.valid? From 7be9abf7c1fdd6bd9af329d66a416e68bc42fbfd Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 15:37:09 -0500 Subject: [PATCH 07/18] always update val when all 3 are present Co-authored-by: Hugo Melo --- app/models/concerns/date_accessible.rb | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index aedf4fadb8..1c654a33e6 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -44,7 +44,7 @@ def self.date_writer(*properties) attr_writer :"#{property}_month", :"#{property}_year", :"#{property}_day" before_validation do - if send(property.to_s).blank? && send("#{property}_year").present? && send("#{property}_month").present? && send("#{property}_day").present? + if send("#{property}_year").present? && send("#{property}_month").present? && send("#{property}_day").present? send( "#{property}=", Date.new( From a4a72701fb3295953031f774dfe84827e0ba8ace Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Wed, 12 Feb 2025 15:38:12 -0500 Subject: [PATCH 08/18] Fix controller spec Co-authored-by: Hugo Melo --- ...az_qualifying_organization_contributions_controller_spec.rb | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/spec/controllers/state_file/questions/az_qualifying_organization_contributions_controller_spec.rb b/spec/controllers/state_file/questions/az_qualifying_organization_contributions_controller_spec.rb index 3e1db9d466..cdac8288d3 100644 --- a/spec/controllers/state_file/questions/az_qualifying_organization_contributions_controller_spec.rb +++ b/spec/controllers/state_file/questions/az_qualifying_organization_contributions_controller_spec.rb @@ -158,7 +158,8 @@ id: contribution.id, az321_contribution: { date_of_contribution_month: 6, - date_of_contribution_day: 16 + date_of_contribution_day: 16, + date_of_contribution_year: Rails.configuration.statefile_current_tax_year } } From c4e1e511145125cea822bfe655a58b9fd04c236d Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 13 Feb 2025 11:08:47 -0500 Subject: [PATCH 09/18] update specs to use real model Co-authored-by: Hugo Melo --- spec/models/concerns/date_accessible_spec.rb | 175 ++++++------------- 1 file changed, 53 insertions(+), 122 deletions(-) diff --git a/spec/models/concerns/date_accessible_spec.rb b/spec/models/concerns/date_accessible_spec.rb index 8ce9b46cb3..ebcc66eaf5 100644 --- a/spec/models/concerns/date_accessible_spec.rb +++ b/spec/models/concerns/date_accessible_spec.rb @@ -1,162 +1,93 @@ require 'rails_helper' -class ExampleDateAccessor - include DateAccessible - attr_accessor :read_date, :write_date, :readwrite_date, - :readwrite_multi_date, :readwrite_multi_second_date - - date_reader :read_date - date_writer :write_date - - date_accessor :readwrite_date - date_accessor :readwrite_multi_date, :readwrite_multi_second_date -end - RSpec.describe DateAccessible do - subject { ExampleDateAccessor.new } + let(:year) { Rails.configuration.statefile_current_tax_year } + subject { create(:state_id) } describe '#date_accessor' do it 'should create readers & writers for a single property' do - expect(subject).to respond_to(:readwrite_date_day) - expect(subject).to respond_to(:readwrite_date_month) - expect(subject).to respond_to(:readwrite_date_year) + expect(subject).to respond_to(:expiration_date_day) + expect(subject).to respond_to(:expiration_date_month) + expect(subject).to respond_to(:expiration_date_year) - expect(subject).to respond_to(:readwrite_date_day=) - expect(subject).to respond_to(:readwrite_date_month=) - expect(subject).to respond_to(:readwrite_date_year=) + expect(subject).to respond_to(:expiration_date_day=) + expect(subject).to respond_to(:expiration_date_month=) + expect(subject).to respond_to(:expiration_date_year=) end it 'should create readers & writers for multiple property' do - expect(subject).to respond_to(:readwrite_multi_date_day) - expect(subject).to respond_to(:readwrite_multi_date_month) - expect(subject).to respond_to(:readwrite_multi_date_year) + expect(subject).to respond_to(:expiration_date_day) + expect(subject).to respond_to(:expiration_date_month) + expect(subject).to respond_to(:expiration_date_year) - expect(subject).to respond_to(:readwrite_multi_date_day=) - expect(subject).to respond_to(:readwrite_multi_date_month=) - expect(subject).to respond_to(:readwrite_multi_date_year=) + expect(subject).to respond_to(:expiration_date_day=) + expect(subject).to respond_to(:expiration_date_month=) + expect(subject).to respond_to(:expiration_date_year=) - expect(subject).to respond_to(:readwrite_multi_second_date_day) - expect(subject).to respond_to(:readwrite_multi_second_date_month) - expect(subject).to respond_to(:readwrite_multi_second_date_year) + expect(subject).to respond_to(:issue_date_day) + expect(subject).to respond_to(:issue_date_month) + expect(subject).to respond_to(:issue_date_year) - expect(subject).to respond_to(:readwrite_multi_second_date_day=) - expect(subject).to respond_to(:readwrite_multi_second_date_month=) - expect(subject).to respond_to(:readwrite_multi_second_date_year=) + expect(subject).to respond_to(:issue_date_day=) + expect(subject).to respond_to(:issue_date_month=) + expect(subject).to respond_to(:issue_date_year=) end end describe "#date_writer" do - it 'should allow the use of the a _day writer' do - expect(subject).to respond_to(:write_date_day=) - - expect(subject.write_date).to be_nil - - subject.write_date_day = 12 - expect(subject.write_date).to eq(Date.new.change(day: 12)) - end - - it 'should allow the use of the a _month writer' do - expect(subject).to respond_to(:write_date_month=) - - expect(subject.write_date).to be_nil - - subject.write_date_month = 5 - expect(subject.write_date).to eq(Date.new.change(month: 5)) - end - - it 'should allow the use of the a _year writer' do - expect(subject).to respond_to(:write_date_year=) - - expect(subject.write_date).to be_nil - - subject.write_date_year = 1990 - expect(subject.write_date).to eq(Date.new.change(year: 1990)) - end - - it 'should have garbage-resistant writers' do - subject.write_date_day = '' - - expect(subject.write_date).to be_nil - - subject.write_date_day = "foo" - - expect(subject.write_date).to be_nil - - subject.write_date_day = 0 - - expect(subject.write_date).to be_nil - end - - it 'should not change the value when writing garbage' do - subject.write_date = Date.new(1990, 5, 12) - - subject.write_date_day = "foo" - - expect(subject.write_date).to eq(Date.new(1990, 5, 12)) + it 'should allow the use of the a writer for all values' do + subject.expiration_date = nil + subject.expiration_date_day = 1 + subject.expiration_date_month = 2 + subject.expiration_date_year = year + subject.valid? + expect(subject.expiration_date).to eq(Date.new(year, 2, 1)) + + subject.expiration_date_day = 21 + subject.expiration_date_year = nil + subject.valid? + expect(subject.expiration_date).to eq(Date.new(year, 2, 1)) end end describe "#date_reader" do it 'should allow the use of the a _day reader' do - expect(subject).to respond_to(:read_date_day) + expect(subject).to respond_to(:expiration_date_day) - expect(subject.read_date_day).to be_nil + expect(subject.expiration_date_day).to be_nil - subject.read_date = Date.new(1990, 5, 12) + subject.expiration_date_day = 12 + subject.expiration_date_month = 2 + subject.expiration_date_year = year + subject.valid? - expect(subject.read_date_day).to eq(12) + expect(subject.expiration_date_day).to eq(12) end it 'should allow the use of the a _month reader' do - expect(subject).to respond_to(:read_date_month) + expect(subject).to respond_to(:expiration_date_month) - expect(subject.read_date_month).to be_nil + expect(subject.expiration_date_month).to be_nil - subject.read_date = Date.new(1990, 5, 12) + subject.expiration_date_day = 1 + subject.expiration_date_month = 5 + subject.expiration_date_year = year + subject.valid? - expect(subject.read_date_month).to eq(5) + expect(subject.expiration_date_month).to eq(5) end it 'should allow the use of the a _year reader' do - expect(subject).to respond_to(:read_date_year) - - expect(subject.read_date_year).to be_nil - - subject.read_date = Date.new(1990, 5, 12) - - expect(subject.read_date_year).to eq(1990) - end - end - - describe "#change_date_property" do - it 'should create a date if one does not exist'do - expect(subject.readwrite_date).to be_nil - - subject.send(:change_date_property, :readwrite_date, day: 12) - - expect(subject.readwrite_date.day).to eq(12) - end - - it 'should only change the date fragements specified' do - subject.readwrite_date = Date.new(1990, 5, 28) - expect(subject.readwrite_date).to eq(Date.new(1990, 5, 28)) - - subject.send(:change_date_property, :readwrite_date, day: 12) - - expect(subject.readwrite_date.day).to eq(12) - expect(subject.readwrite_date.month).to eq(5) - expect(subject.readwrite_date.year).to eq(1990) - end + expect(subject).to respond_to(:expiration_date_year) - it 'should not consider fragments other than month, day, or year' do - subject.readwrite_date = Date.new(1990, 5, 12) - expect(subject.readwrite_date).to eq(Date.new(1990, 5, 12)) + expect(subject.expiration_date_year).to be_nil - subject.send(:change_date_property, :readwrite_date, foo: "bar") + subject.expiration_date_day = 1 + subject.expiration_date_month = 2 + subject.expiration_date_year = year + subject.valid? - expect(subject.readwrite_date.day).to eq(12) - expect(subject.readwrite_date.month).to eq(5) - expect(subject.readwrite_date.year).to eq(1990) + expect(subject.expiration_date_year).to eq(year) end end end From fd0f4dfbe54b791c61b02d5f8b110762cd3d7a3d Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Fri, 14 Feb 2025 12:47:41 -0500 Subject: [PATCH 10/18] test setting and fetching ivars Co-authored-by: Hugo Melo --- app/models/concerns/date_accessible.rb | 25 +++--- spec/models/concerns/date_accessible_spec.rb | 86 +++++++++++--------- 2 files changed, 61 insertions(+), 50 deletions(-) diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index 1c654a33e6..9520540e99 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -27,7 +27,15 @@ def self.date_reader(*properties) properties = [properties] unless properties.is_a?(Enumerable) properties.each do |property| - attr_reader :"#{property}_month", :"#{property}_year", :"#{property}_day" + self.define_method("#{property}_month") do + self.instance_variable_get("@#{property}_month") || send(property)&.month + end + self.define_method("#{property}_year") do + self.instance_variable_get("@#{property}_year") || send(property)&.year + end + self.define_method("#{property}_day") do + self.instance_variable_get("@#{property}_day") || send(property)&.day + end end end @@ -44,15 +52,12 @@ def self.date_writer(*properties) attr_writer :"#{property}_month", :"#{property}_year", :"#{property}_day" before_validation do - if send("#{property}_year").present? && send("#{property}_month").present? && send("#{property}_day").present? - send( - "#{property}=", - Date.new( - send("#{property}_year").to_i, - send("#{property}_month").to_i, - send("#{property}_day").to_i, - ) - ) + month_to_set = self.instance_variable_get("@#{property}_month") + day_to_set = self.instance_variable_get("@#{property}_day") + year_to_set = self.instance_variable_get("@#{property}_year") + + if year_to_set.present? && month_to_set.present? && day_to_set.present? + send("#{property}=", Date.new(year_to_set.to_i, month_to_set.to_i, day_to_set.to_i)) end rescue Date::Error send("#{property}=", nil) diff --git a/spec/models/concerns/date_accessible_spec.rb b/spec/models/concerns/date_accessible_spec.rb index ebcc66eaf5..3fc5b556bb 100644 --- a/spec/models/concerns/date_accessible_spec.rb +++ b/spec/models/concerns/date_accessible_spec.rb @@ -2,7 +2,10 @@ RSpec.describe DateAccessible do let(:year) { Rails.configuration.statefile_current_tax_year } - subject { create(:state_id) } + let(:month) { 2 } + let(:day) { 1 } + let(:expiration_date) { Date.new(year, month, day) } + subject { create(:state_id, expiration_date: expiration_date) } describe '#date_accessor' do it 'should create readers & writers for a single property' do @@ -42,52 +45,55 @@ subject.expiration_date_year = year subject.valid? expect(subject.expiration_date).to eq(Date.new(year, 2, 1)) + end - subject.expiration_date_day = 21 - subject.expiration_date_year = nil - subject.valid? - expect(subject.expiration_date).to eq(Date.new(year, 2, 1)) + context "with a date set" do + context "and an invalid submitted value to update" do + it "is not set" do + subject.expiration_date_day = 21 + subject.expiration_date_year = nil + subject.valid? + expect(subject.expiration_date).to eq(expiration_date) + end + end end end describe "#date_reader" do - it 'should allow the use of the a _day reader' do - expect(subject).to respond_to(:expiration_date_day) - - expect(subject.expiration_date_day).to be_nil - - subject.expiration_date_day = 12 - subject.expiration_date_month = 2 - subject.expiration_date_year = year - subject.valid? - - expect(subject.expiration_date_day).to eq(12) + context "when the date is not set" do + let(:expiration_date) { nil } + + it 'should allow the use of the a _day reader' do + expect(subject).to respond_to(:expiration_date_day) + expect(subject.expiration_date_day).to be_nil + end + + it 'should allow the use of the a _month reader' do + expect(subject).to respond_to(:expiration_date_month) + expect(subject.expiration_date_month).to be_nil + end + + it 'should allow the use of the a _year reader' do + expect(subject).to respond_to(:expiration_date_year) + expect(subject.expiration_date_year).to be_nil + end end - it 'should allow the use of the a _month reader' do - expect(subject).to respond_to(:expiration_date_month) - - expect(subject.expiration_date_month).to be_nil - - subject.expiration_date_day = 1 - subject.expiration_date_month = 5 - subject.expiration_date_year = year - subject.valid? - - expect(subject.expiration_date_month).to eq(5) - end - - it 'should allow the use of the a _year reader' do - expect(subject).to respond_to(:expiration_date_year) - - expect(subject.expiration_date_year).to be_nil - - subject.expiration_date_day = 1 - subject.expiration_date_month = 2 - subject.expiration_date_year = year - subject.valid? - - expect(subject.expiration_date_year).to eq(year) + context "when the date is set" do + it 'should allow the use of the a _day reader' do + expect(subject).to respond_to(:expiration_date_day) + expect(subject.expiration_date_day).to eq(day) + end + + it 'should allow the use of the a _month reader' do + expect(subject).to respond_to(:expiration_date_month) + expect(subject.expiration_date_month).to eq(month) + end + + it 'should allow the use of the a _year reader' do + expect(subject).to respond_to(:expiration_date_year) + expect(subject.expiration_date_year).to eq(year) + end end end end From 2b7c523ee5f33e1b0ef1ad52e31f79f7d3534aef Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 12:27:07 -0500 Subject: [PATCH 11/18] Fix rebase error Co-authored-by: Hugo Melo --- config/locales/en.yml | 1212 ++++++++++++++++++++--------------------- config/locales/es.yml | 5 +- 2 files changed, 607 insertions(+), 610 deletions(-) diff --git a/config/locales/en.yml b/config/locales/en.yml index 5f1fe513cc..187a1f73c6 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -102,8 +102,8 @@ en: file_yourself: edit: info: - - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! - - To get started, we’ll need to collect some basic information. + - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! + - To get started, we’ll need to collect some basic information. title: File taxes on your own documents: documents_help: @@ -192,7 +192,7 @@ en: too_short: The password must be a minimum %{count} characters. payer_name: blank: Please enter a valid name. - invalid: 'Only letters, numbers, parentheses, apostrophe, and # are accepted.' + invalid: "Only letters, numbers, parentheses, apostrophe, and # are accepted." payer_tin: invalid: EIN must be a 9-digit number. Do not include a dash. payer_tin_ny_invalid: The number entered is not an accepted TIN by New York State. @@ -252,11 +252,11 @@ en: contact_method_required: "%{attribute} is required if opting into notifications" invalid_tax_status: The provided tax status is not valid. mailing_address: - city: 'Error: Invalid City' - invalid: 'Error: Invalid Address.' - multiple: 'Error: Multiple addresses were found for the information you entered, and no default exists.' - not_found: 'Error: Address Not Found.' - state: 'Error: Invalid State Code' + city: "Error: Invalid City" + invalid: "Error: Invalid Address." + multiple: "Error: Multiple addresses were found for the information you entered, and no default exists." + not_found: "Error: Address Not Found." + state: "Error: Invalid State Code" md_county: residence_county: presence: Please select a county @@ -276,7 +276,7 @@ en: must_equal_100: Routing percentages must total 100%. status_must_change: Can't initiate status change to current status. tax_return_belongs_to_client: Can't update tax return unrelated to current client. - tax_returns: 'Please provide all required fields for tax returns: %{attrs}.' + tax_returns: "Please provide all required fields for tax returns: %{attrs}." tax_returns_attributes: certification_level: certification level is_hsa: is HSA @@ -295,7 +295,7 @@ en: address: Address admin: Admin admin_controls: Admin Controls - affirmative: 'Yes' + affirmative: "Yes" all_organizations: All organizations and: and assign: Assign @@ -506,7 +506,7 @@ en: my_account: My account my_profile: My profile name: Name - negative: 'No' + negative: "No" new: New new_unique_link: Additional unique link nj_staff: New Jersey Staff @@ -628,7 +628,7 @@ en: very_well: Very well visit_free_file: Visit IRS Free File visit_stimulus_faq: Visit Stimulus FAQ - vita_long: 'VITA: Volunteer Income Tax Assistance' + vita_long: "VITA: Volunteer Income Tax Assistance" well: Well widowed: Widowed written_language_options: @@ -709,17 +709,17 @@ en: new_status: New Status remove_assignee: Remove assignee selected_action_and_tax_return_count_html: - one: 'You’ve selected Change Assignee and/or Status for %{count} return with the following status:' - other: 'You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:' + one: "You’ve selected Change Assignee and/or Status for %{count} return with the following status:" + other: "You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:" title: Bulk Action change_organization: edit: by_clicking_submit: By clicking submit, you are changing the organization, sending a team note, and updating followers. - help_text_html: 'Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned.' + help_text_html: "Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned." new_organization: New organization selected_action_and_client_count_html: - one: 'You’ve selected Change Organization for %{count} client in the current organization:' - other: 'You’ve selected Change Organization for %{count} clients in the current organizations:' + one: "You’ve selected Change Organization for %{count} client in the current organization:" + other: "You’ve selected Change Organization for %{count} clients in the current organizations:" title: Bulk Action send_a_message: edit: @@ -776,7 +776,7 @@ en: middle_initial: M.I. months_in_home: "# of mos. lived in home last year:" never_married: Never Married - north_american_resident: 'Resident of US, CAN or MEX last year:' + north_american_resident: "Resident of US, CAN or MEX last year:" owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -786,7 +786,7 @@ en: receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail refund_other: Other - refund_payment_method: 'If you are due a refund, would you like:' + refund_payment_method: "If you are due a refund, would you like:" refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -798,8 +798,8 @@ en: was_full_time_student: Full Time Student was_married: Single or Married as of 12/31/2024 was_student: Full-time Student last year - last_year_was_your_spouse: 'Last year, was your spouse:' - last_year_were_you: 'Last year, were you:' + last_year_was_your_spouse: "Last year, was your spouse:" + last_year_were_you: "Last year, were you:" title: 13614-C page 1 what_was_your_marital_status: As of December 31, %{current_tax_year}, what was your marital status? edit_13614c_form_page2: @@ -807,9 +807,9 @@ en: had_asset_sale_income: Income (or loss) from the sale or exchange of Stocks, Bonds, Virtual Currency or Real Estate? had_disability_income: Disability income? had_gambling_income: Gambling winnings, including lottery - had_interest_income: 'Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?' + had_interest_income: "Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?" had_local_tax_refund: Refund of state or local income tax - had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' + had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" had_rental_income: Income (or loss) from Rental Property? had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -897,7 +897,7 @@ en: client_id_heading: Client ID client_info: Client Info created_at: Created at - excludes_statuses: 'excludes: %{statuses}' + excludes_statuses: "excludes: %{statuses}" filing_year: Filing Year filter: Filter results filters: Filters @@ -926,7 +926,7 @@ en: title: Add a new client organizations: edit: - warning_text_1: 'Note: All returns on this client will be assigned to the new organization.' + warning_text_1: "Note: All returns on this client will be assigned to the new organization." warning_text_2: Changing the organization may cause assigned hub users to lose access and be unassigned. show: basic_info: Basic Info @@ -959,7 +959,7 @@ en: email: sent email internal_note: added internal note status: updated status - success: 'Success: Action taken! %{action_list}.' + success: "Success: Action taken! %{action_list}." text_message: sent text message coalitions: edit: @@ -979,7 +979,7 @@ en: client_id: Client ID client_name: Client Name no_clients: No clients to display at the moment - title: 'Action Required: Flagged Clients' + title: "Action Required: Flagged Clients" updated: Updated At approaching: Approaching capacity: Capacity @@ -1028,7 +1028,7 @@ en: has_duplicates: Potential duplicates detected has_previous_year_intakes: Previous year intake(s) itin_applicant: ITIN applicant - last_client_update: 'Last client update: ' + last_client_update: "Last client update: " last_contact: Last contact messages: automated: Automated @@ -1062,14 +1062,14 @@ en: label: Add a note submit: Save outbound_call_synthetic_note: Called by %{user_name}. Call was %{status} and lasted %{duration}. - outbound_call_synthetic_note_body: 'Call notes:' + outbound_call_synthetic_note_body: "Call notes:" organizations: activated_all: success: Successfully activated %{count} users form: active_clients: active clients allows_greeters: Allows Greeters - excludes: 'excludes statuses: Accepted, Not filing, On hold' + excludes: "excludes statuses: Accepted, Not filing, On hold" index: add_coalition: Add new coalition add_organization: Add new organization @@ -1090,8 +1090,8 @@ en: client_phone_number: Client phone number notice_html: Expect a call from %{receiving_number} when you press 'Call'. notice_list: - - Your phone number will remain private -- it is not accessible to the client. - - We'll always call from this number -- consider adding it to your contacts. + - Your phone number will remain private -- it is not accessible to the client. + - We'll always call from this number -- consider adding it to your contacts. title: Call client your_phone_number: Your phone number show: @@ -1279,8 +1279,8 @@ en: send_a_message_description_html: Send a message to these %{count} clients. title: Choose your bulk action page_title: - one: 'Client selection #%{id} (%{count} result)' - other: 'Client selection #%{id} (%{count} results)' + one: "Client selection #%{id} (%{count} result)" + other: "Client selection #%{id} (%{count} results)" tax_returns: count: one: "%{count} tax return" @@ -1292,7 +1292,7 @@ en: new: assigned_user: Assigned user (optional) certification_level: Certification level (optional) - current_years: 'Current Tax Years:' + current_years: "Current Tax Years:" no_remaining_years: There are no remaining tax years for which to create a return. tax_year: Tax year title: Add tax year for %{name} @@ -1472,7 +1472,7 @@ en: We're here to help! Your Tax Team at GetYourRefund - subject: 'GetYourRefund: You have a submission in progress' + subject: "GetYourRefund: You have a submission in progress" sms: body: Hello <>, you haven't completed providing the information we need to prepare your taxes at GetYourRefund. Continue where you left off here <>. Your Client ID is <>. If you have any questions, please reply to this message. intercom_forwarding: @@ -1534,7 +1534,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' + subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! Make sure to pay your state taxes by April 15 at %{state_pay_taxes_link} if you have not paid via direct deposit or check. \n\nDownload your return at %{return_status_link}\n\nQuestions? Email us at help@fileyourstatetaxes.org.\n" accepted_refund: email: @@ -1547,7 +1547,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' + subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! You can expect to receive your refund as soon as %{state_name} approves your refund amount. \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: @@ -1557,7 +1557,7 @@ en: To continue filing your state tax return, please create a new account with FileYourStateTaxes by visiting: https://www.fileyourstatetaxes.org/en/%{state_code}/landing-page Need help? Email us at help@fileyourstatetaxes.org or chat with us on FileYourStateTaxes.org - subject: 'FileYourStateTaxes: Regarding your %{state_name} tax return data import' + subject: "FileYourStateTaxes: Regarding your %{state_name} tax return data import" sms: | Hello, you may have experienced an issue transferring your federal return data from IRS Direct File. This issue is now resolved. @@ -1607,7 +1607,7 @@ en: Best, The FileYourStateTaxes team - subject: 'Final Reminder: FileYourStateTaxes closes April 25.' + subject: "Final Reminder: FileYourStateTaxes closes April 25." sms: | Hi %{primary_first_name} - You haven't submitted your state tax return yet. Make sure to submit your state taxes as soon as possible to avoid late filing fees. Go to fileyourstatetaxes.org/en/login-options to finish them now. Need help? Email us at help@fileyourstatetaxes.org. @@ -1657,7 +1657,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed' + subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed" sms: | Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return. Don't worry! We can help you fix and resubmit it at %{return_status_link}. @@ -1673,7 +1673,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected' + subject: "FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected" sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Questions? Email us at help@fileyourstatetaxes.org. successful_submission: email: @@ -1689,7 +1689,7 @@ en: Best, The FileYourStateTaxes team resubmitted: resubmitted - subject: 'FileYourStateTaxes Update: %{state_name} State Return Submitted' + subject: "FileYourStateTaxes Update: %{state_name} State Return Submitted" submitted: submitted sms: Hi %{primary_first_name} - You successfully %{submitted_or_resubmitted} your %{state_name} state tax return! We'll update you in 1-2 days on the status of your return. You can download your return and check the status at %{return_status_link}. Need help? Email us at help@fileyourstatetaxes.org. survey_notification: @@ -1716,7 +1716,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected.' + subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected." sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our tool. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nQuestions? Reply to this text.\n" welcome: email: @@ -1768,8 +1768,8 @@ en: We’re here to help! Your tax team at GetYourRefund - subject: 'GetYourRefund: You have successfully submitted your tax information!' - sms: 'Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message.' + subject: "GetYourRefund: You have successfully submitted your tax information!" + sms: "Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message." surveys: completion: email: @@ -1780,7 +1780,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Thank you for choosing GetYourRefund! - sms: 'Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' + sms: "Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" ctc_experience: email: body: | @@ -1792,7 +1792,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Your feedback on GetCTC - sms: 'Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' + sms: "Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" unmonitored_replies: email: body: Replies not monitored. Write %{support_email} for assistance. To check on your refund status, go to Where's My Refund? To access your tax record, get your transcript. @@ -1817,8 +1817,8 @@ en: Thank you for creating an account with GetYourRefund! Your Client ID is <>. This is an important piece of account information that can assist you when talking to our chat representatives and when logging into your account. Please keep track of this number and do not delete this message. You can check your progress and add additional documents here: <> - subject: 'Welcome to GetYourRefund: Client ID' - sms: 'Hello <>, You''ve signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message.' + subject: "Welcome to GetYourRefund: Client ID" + sms: "Hello <>, You've signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message." models: intake: your_spouse: Your spouse @@ -1853,7 +1853,7 @@ en: last_four_or_client_id: Client ID or Last 4 of SSN/ITIN title: Authentication needed to continue. enter_verification_code: - code_sent_to_html: 'A message with your code has been sent to: %{address}' + code_sent_to_html: "A message with your code has been sent to: %{address}" enter_6_digit_code: Enter 6 digit code title: Let’s verify that code! verify: Verify @@ -1862,7 +1862,7 @@ en: bad_input: Incorrect client ID or last 4 of SSN/ITIN. After 5 failed attempts, accounts are locked. bad_verification_code: Incorrect verification code. After 5 failed attempts, accounts are locked. new: - one_form_of_contact: 'Please enter one form of contact below:' + one_form_of_contact: "Please enter one form of contact below:" send_code: Send code title: We’ll send you a secure code to sign in closed_logins: @@ -1885,7 +1885,7 @@ en: add_signature_primary: Please add your final signature to your tax return add_signature_spouse: Please add your spouse's final signature to your tax return finish_intake: Please answer remaining tax questions to continue. - client_id: 'Client ID: %{id}' + client_id: "Client ID: %{id}" document_link: add_final_signature: Add final signature add_missing_documents: Add missing documents @@ -1898,7 +1898,7 @@ en: view_w7: View or download form W-7 view_w7_coa: View or download form W-7 (COA) help_text: - file_accepted: 'Completed: %{date}' + file_accepted: "Completed: %{date}" file_hold: Your return is on hold. Your tax preparer will reach out with an update. file_not_filing: This return is not being filed. Contact your tax preparer with any questions. file_rejected: Your return has been rejected. Contact your tax preparer with any questions. @@ -1913,7 +1913,7 @@ en: review_reviewing: Your return is being reviewed. review_signature_requested_primary: We are waiting for a final signature from you. review_signature_requested_spouse: We are waiting for a final signature from your spouse. - subtitle: 'Here is a snapshot of your taxes:' + subtitle: "Here is a snapshot of your taxes:" tax_return_heading: "%{year} return" title: Welcome back %{name}! still_needs_helps: @@ -1982,7 +1982,7 @@ en: description: File quickly on your own. list: file: File for %{current_tax_year} only - income: 'Income: under $84,000' + income: "Income: under $84,000" timeframe: 45 minutes to file title: File Myself gyr_tile: @@ -1990,7 +1990,7 @@ en: description: File confidently with assistance from our IRS-certified volunteers. list: file: File for %{oldest_filing_year}-%{current_tax_year} - income: 'Income: under $67,000' + income: "Income: under $67,000" ssn: Must show copies of your Social Security card or ITIN paperwork timeframe: 2-3 weeks to file title: File with Help @@ -2049,17 +2049,17 @@ en: zero: "$0" title: Tell us about your filing status and income. vita_income_ineligible: - label: 'Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?' + label: "Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?" signups: flash_notice: Thank you! You will receive a notification when we open. new: banner: New intakes for GetYourRefund have closed for 2023. Please come back in January to file next year. header: We'd love to work with you next year to help you file your taxes for free! opt_in_message: - 01_intro: 'Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:' + 01_intro: "Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:" 02_list: - - Receiving a GetYourRefund Verification Code - - Tax return notifications + - Receiving a GetYourRefund Verification Code + - Tax return notifications 03_message_freq: Message frequency will vary. Standard message rates apply. Text HELP to 11111 for help. Text STOP to 11111 to cancel. Carriers (e.g. AT&T, Verizon, etc.) are not responsible or liable for undelivered or delayed messages. 04_detail_links_html: See our Terms and Conditions and Privacy Policy. subheader: Please sign up here to receive a notification when we open in January. @@ -2256,7 +2256,7 @@ en:
    • Bank routing and account numbers (if you want to receive your refund or make a tax payment electronically)
    • (optional) Driver's license or state issued ID
    - help_text_title: 'What you’ll need:' + help_text_title: "What you’ll need:" supported_by: Supported by the New Jersey Division of Taxation title: File your New Jersey taxes for free not_you: Not %{user_name}? @@ -2283,7 +2283,7 @@ en: section_4: Transfer your data section_5: Complete your state tax return section_6: Submit your state taxes - step_description: 'Section %{current_step} of %{total_steps}: ' + step_description: "Section %{current_step} of %{total_steps}: " notification_mailer: user_message: unsubscribe: To unsubscribe from emails, click here. @@ -2324,9 +2324,7 @@ en: why_are_you_asking: Why are you asking for this information? az_prior_last_names: edit: - prior_last_names_label: - one: 'Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)' - other: Enter all last names used by you and your spouse in the last four years. + prior_last_names_label: "Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)" subtitle: This includes tax years %{start_year}-%{end_year}. title: one: Did you file with a different last name in the last four years? @@ -2357,11 +2355,11 @@ en: other: Did you or your spouse pay any fees or make any qualified cash donation to an Arizona public school in %{year}? more_details_html: Visit the Arizona Department of Revenue Guide for more details. qualifying_list: - - Extracurricular Activities - - Character Education - - Standardized Testing and Fees - - Career and Technical Education Assessment - - CPR Training + - Extracurricular Activities + - Character Education + - Standardized Testing and Fees + - Career and Technical Education Assessment + - CPR Training school_details_answer_html: | You can find this information on the receipt you received from the school.

    @@ -2376,7 +2374,7 @@ en: add_another: Add another donation delete_confirmation: Are you sure you want to delete this contribution? maximum_records: You have provided the maximum amount of records. - title: 'Here are the public school donations/fees you added:' + title: "Here are the public school donations/fees you added:" az_qualifying_organization_contributions: destroy: removed: Removed AZ 321 for %{charity_name} @@ -2547,7 +2545,7 @@ en: other_credits_529_html: Arizona 529 plan contributions deduction other_credits_add_dependents: Adding dependents not claimed on the federal return other_credits_change_filing_status: Change in filing status from federal to state return - other_credits_heading: 'Other credits and deductions not supported this year:' + other_credits_heading: "Other credits and deductions not supported this year:" other_credits_itemized_deductions: Itemized deductions property_tax_credit_age: Be 65 or older; or receive Supplemental Security Income property_tax_credit_heading_html: 'Property Tax Credit. To qualify for this credit you must:' @@ -2584,7 +2582,7 @@ en: itemized_deductions: Itemized deductions long_term_care_insurance_subtraction: Long-term Care Insurance Subtraction maintaining_elderly_disabled_credit: Credit for Maintaining a Home for the Elderly or Disabled - not_supported_this_year: 'Credits and deductions not supported this year:' + not_supported_this_year: "Credits and deductions not supported this year:" id_supported: child_care_deduction: Idaho Child and Dependent Care Subtraction health_insurance_premiums_subtraction: Health Insurance Premiums subtraction @@ -2677,8 +2675,8 @@ en: title2: What scenarios for claiming the Maryland Earned Income Tax Credit and/or Child Tax Credit aren't supported by this service? title3: What if I have a situation not yet supported by FileYourStateTaxes? md_supported: - heading1: 'Subtractions:' - heading2: 'Credits:' + heading1: "Subtractions:" + heading2: "Credits:" sub1: Subtraction for Child and Dependent Care Expenses sub10: Senior Tax Credit sub11: State and local Poverty Level Credits @@ -2713,7 +2711,7 @@ en:
  • Filing your federal and state tax returns using different filing statuses (for example you filed as Married Filing Jointly on your federal tax return and want to file Married Filing Separately on your state tax return)
  • Adding or removing dependents claimed on your federal return for purposes of your state return
  • Applying a portion of your 2024 refund toward your 2025 estimated taxes
  • - also_unsupported_title: 'We also do not support:' + also_unsupported_title: "We also do not support:" unsupported_html: |
  • Subtraction for meals, lodging, moving expenses, other reimbursed business expenses, or compensation for injuries or sickness reported as wages on your W-2
  • Subtraction for alimony payments you made
  • @@ -2742,7 +2740,7 @@ en: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: 'Other credits, deductions and resources not supported this year:' + other_credits_heading: "Other credits, deductions and resources not supported this year:" other_credits_itemized_deductions: Itemized deductions real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2781,7 +2779,7 @@ en: fees: Fees may apply. learn_more_here_html: Learn more here. list: - body: 'Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:' + body: "Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:" list1: Confirm that the service lets you file just your state return. You might need to check with customer support. list2: Be ready to reenter info from your federal return, as it's needed for your state return. list3: When filing, only submit your state return. If you submit your federal return again, your federal return may be rejected. @@ -2960,7 +2958,7 @@ en: see_if_you_qualify: one: To see if you qualify, we need more information about you. other: To see if you qualify, we need more information about you and your household. - select_household_members: 'Select the members of the household any of these situations applied to in %{tax_year}:' + select_household_members: "Select the members of the household any of these situations applied to in %{tax_year}:" situation_incarceration: were incarcerated situation_snap: received food stamps / SNAP-EBT situation_undocumented: lived in the US undocumented @@ -2974,7 +2972,7 @@ en: why_are_you_asking_li1: Received food stamps why_are_you_asking_li2: Were incarcerated why_are_you_asking_li3: Lived in the U.S. undocumented - why_are_you_asking_p1: 'Certain restrictions apply to this monthly credit. A person will not qualify for the months they:' + why_are_you_asking_p1: "Certain restrictions apply to this monthly credit. A person will not qualify for the months they:" why_are_you_asking_p2: The credit amount is reduced for each month they experience any of these situations. why_are_you_asking_p3: The answers are only used to calculate the credit amount and will remain confidential. you_example_months: For example, if you had 2 situations in April, that counts as 1 month. @@ -3111,10 +3109,10 @@ en: county_html: "County" political_subdivision: Political Subdivision political_subdivision_helper_areas: - - 'Counties: The 23 counties and Baltimore City.' - - 'Municipalities: Towns and cities within the counties.' - - 'Special taxing districts: Areas with specific tax rules for local services.' - - 'All other areas: Regions that do not have their own municipal government and are governed at the county level.' + - "Counties: The 23 counties and Baltimore City." + - "Municipalities: Towns and cities within the counties." + - "Special taxing districts: Areas with specific tax rules for local services." + - "All other areas: Regions that do not have their own municipal government and are governed at the county level." political_subdivision_helper_first_p: 'A "political subdivision" is a specific area within Maryland that has its own local government. This includes:' political_subdivision_helper_heading: What is a political subdivision? political_subdivision_helper_last_p: Select the political subdivision where you lived on December 31, %{filing_year} to make sure your tax filing is correct. @@ -3139,15 +3137,15 @@ en: authorize_follow_up: If yes, the Comptroller’s Office will share your information and the email address on file with Maryland Health Connection. authorize_share_health_information: Do you authorize the Comptroller of Maryland to share information from this tax return with Maryland Health Connection for the purpose of determining pre-eligibility for no-cost or low-cost health care coverage? authorize_to_share_info: - - Name, SSN/ITIN, and date of birth of each individual identified on your return - - Your current mailing address, email address, and phone number - - Filing status reported on your return - - Total number of individuals in your household included in your return - - Insured/ uninsured status of each individual included in your return - - Blindness status - - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return - - Your federal adjusted gross income amount from Line 1 - following_will_be_shared: 'If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):' + - Name, SSN/ITIN, and date of birth of each individual identified on your return + - Your current mailing address, email address, and phone number + - Filing status reported on your return + - Total number of individuals in your household included in your return + - Insured/ uninsured status of each individual included in your return + - Blindness status + - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return + - Your federal adjusted gross income amount from Line 1 + following_will_be_shared: "If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):" information_use: Information shared with MHC will be used to determine eligibility for insurance affordability programs or to assist with enrollment in health coverage. more_info: If you would like more information about the health insurance affordability programs or health care coverage enrollment, visit Maryland Health Connection at marylandhealthconnection.gov/easyenrollment/. no_insurance_question: Did any member of your household included in this return not have health care coverage during the year? @@ -3192,7 +3190,7 @@ en: doc_1099r_label: 1099-R income_source_other: Other retirement income (for example, a Keogh Plan, also known as an HR-10) (less common) income_source_pension_annuity_endowment: A pension, annuity, or endowment from an "employee retirement system" (more common) - income_source_question: 'Select the source of this income:' + income_source_question: "Select the source of this income:" military_service_reveal_header: What military service qualifies? military_service_reveal_html: |

    To qualify, you must have been:

    @@ -3226,7 +3224,7 @@ en: service_type_military: Your service in the military or military death benefits received on behalf of a spouse or ex-spouse service_type_none: None of these apply service_type_public_safety: Your service as a public safety employee - service_type_question: 'Did this income come from:' + service_type_question: "Did this income come from:" subtitle: We need more information about this 1099-R to file your state tax return and check your eligibility for subtractions. taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3312,31 +3310,31 @@ en: title: It looks like your filing status is Qualifying Surviving Spouse nc_retirement_income_subtraction: edit: - bailey_description: 'The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can''t be taxed in North Carolina. These plans include:' + bailey_description: "The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can't be taxed in North Carolina. These plans include:" bailey_more_info_html: Visit the North Carolina Department of Revenue for more information. bailey_reveal_bullets: - - North Carolina Teachers’ and State Employees’ Retirement System - - North Carolina Local Governmental Employees’ Retirement System - - North Carolina Consolidated Judicial Retirement System - - Federal Employees’ Retirement System - - United States Civil Service Retirement System + - North Carolina Teachers’ and State Employees’ Retirement System + - North Carolina Local Governmental Employees’ Retirement System + - North Carolina Consolidated Judicial Retirement System + - Federal Employees’ Retirement System + - United States Civil Service Retirement System bailey_settlement_at_least_five_years: Did you or your spouse have at least five years of creditable service by August 12, 1989? bailey_settlement_checkboxes: Check all the boxes about the Bailey Settlement that apply to you or your spouse. bailey_settlement_from_retirement_plan: Did you or your spouse receive retirement benefits from NC's 401(k) or 457 plan, and were you contracted to OR contributed to the plan before August 12, 1989? doc_1099r_label: 1099-R income_source_bailey_settlement_html: Retirement benefits as part of Bailey Settlement - income_source_question: 'Select the source of this income:' + income_source_question: "Select the source of this income:" other: None of these apply subtitle: We need more information about this 1099-R to check your eligibility. - taxable_amount_label: 'Taxable amount:' + taxable_amount_label: "Taxable amount:" taxpayer_name_label: Taxpayer name title: You might be eligible for a North Carolina retirement income deduction! uniformed_services_bullets: - - The Armed Forces - - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) - - The commissioned corps of the United States Public Health Services (USPHS) + - The Armed Forces + - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) + - The commissioned corps of the United States Public Health Services (USPHS) uniformed_services_checkboxes: Check all the boxes about the Uniformed Services that apply to you or your spouse. - uniformed_services_description: 'Uniformed Services are groups of people in military and related roles. These include:' + uniformed_services_description: "Uniformed Services are groups of people in military and related roles. These include:" uniformed_services_html: Retirement benefits from the Uniformed Services uniformed_services_more_info_html: You can read more details about the uniformed services here. uniformed_services_qualifying_plan: Were these payments from a qualifying Survivor Benefit Plan to a beneficiary of a retired member who served at least 20 years or who was medically retired from the Uniformed Services? @@ -3371,7 +3369,7 @@ en: edit: calculated_use_tax: Enter calculated use tax explanation_html: If you made any purchases without paying sales tax, you may owe use tax on those purchases. We’ll help you figure out the right amount. - select_one: 'Select one of the following:' + select_one: "Select one of the following:" state_specific: nc: manual_instructions_html: (Learn more here and search for 'consumer use worksheet'). @@ -3382,7 +3380,7 @@ en: use_tax_method_automated: I did not keep a complete record of all purchases. Calculate the amount of use tax for me. use_tax_method_manual: I kept a complete record of all purchases and will calculate my use tax manually. what_are_sales_taxes: What are sales taxes? - what_are_sales_taxes_body: 'Sales Tax: This is a tax collected at the point of sale when you buy goods within your state.' + what_are_sales_taxes_body: "Sales Tax: This is a tax collected at the point of sale when you buy goods within your state." what_are_use_taxes: What are use taxes? what_are_use_taxes_body: If you buy something from another state (like online shopping or purchases from a store located in another state) and you don’t pay sales tax on it, you are generally required to pay use tax to your home state. nc_spouse_state_id: @@ -3406,10 +3404,10 @@ en: account_type: label: Bank Account Type after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: 'Please provide your bank account details:' + bank_title: "Please provide your bank account details:" confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' + date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" foreign_accounts_owed: International ACH payments are not allowed. foreign_accounts_refund: International ACH direct deposit refunds are not allowed. routing_number: Routing Number @@ -3449,7 +3447,7 @@ en: filer_pays_tuition_books: I (or my spouse, if I am filing jointly) pay for at least half of %{dependent_first}'s tuition and college costs. full_time_college_helper_description: '"Full time" is whatever the college considers to be full-time. This can be found on the 1098 T tuition statement.' full_time_college_helper_heading: What counts as "attending college full time"? - reminder: 'Reminder: please check the relevant boxes below for each dependent, if any apply.' + reminder: "Reminder: please check the relevant boxes below for each dependent, if any apply." subtitle_html: "

    You can only claim this for dependents listed on your return.

    \n

    Please check the relevant boxes below under each dependent, if any apply.

    \n

    We will then claim a $1,000 exemption for each dependent student who qualifies.

    \n" title: You may qualify for tax exemptions for any dependent under 22 who is attending college. tuition_books_helper_description_html: To calculate the total amount, add together the cost of college tuition, the cost of books (and supplies), and any money earned by the student in college work-study programs. Do not include other financial aid received. @@ -3465,7 +3463,7 @@ en: edit: continue: Click "Continue" if all these people had health insurance. coverage_heading: What is health insurance with minimum essential coverage? - label: 'Check all the people that did NOT have health insurance:' + label: "Check all the people that did NOT have health insurance:" title_html: Please tell us which dependents were missing health insurance (with minimum essential health coverage) in %{filing_year}. nj_disabled_exemption: edit: @@ -3477,7 +3475,7 @@ en: edit: helper_contents_html: "

    You are the qualifying child of another taxpayer for the New Jersey Earned Income Tax Credit (NJEITC) in %{filing_year} if all of these are true.

    \n
      \n
    1. You are that person's:\n
        \n
      • Child, stepchild, foster child, or a descendant of any of them, or
      • \n
      • Sibling, half sibling, step sibling, or a descendant of any of them
      • \n
      \n
    2. \n
    3. You were: \n
        \n
      • Under age 19 at the end of the year and younger than that person (or that person's spouse, if they filed jointly), or
      • \n
      • Under age 24 at the end of the year, a student, and younger than that person (or that person’s spouse, if they filed jointly), or
      • \n
      • Any age and had a permanent disability that prevented you from working and making money
      • \n
      \n
    4. \n
    5. You lived with that person in the United States for more than 6 months in %{filing_year}.
    6. \n
    7. You aren’t filing a joint return with your spouse for the year. Or you’re filing a joint return with your spouse only to get a refund of money you paid toward taxes.
    8. \n
    \n

    If all of these statements are true, you are the qualifying child of another taxpayer for NJEITC. This is the case even if they don’t claim the credit or don’t meet all of the rules to claim it.

    \n

    If only some of these statements are true, you are NOT the qualifying child of another taxpayer for NJEITC.

    " helper_heading: How do I know if I could be someone else’s qualifying child for NJEITC? - instructions: 'Note: You might be able to get the state credit even if you didn’t qualify for the federal credit.' + instructions: "Note: You might be able to get the state credit even if you didn’t qualify for the federal credit." primary_eitc_qualifying_child_question: In %{filing_year}, could you be someone else's qualifying child for the New Jersey Earned Income Tax Credit (NJEITC)? spouse_eitc_qualifying_child_question: In %{filing_year}, could your spouse be someone else’s qualifying child for the NJEITC? title: You may be eligible for the New Jersey Earned Income Tax Credit (NJEITC). @@ -3508,7 +3506,7 @@ en: - label: 'Total:' + label: "Total:" title: Please tell us if you already made any payments toward your %{filing_year} New Jersey taxes. nj_gubernatorial_elections: edit: @@ -3524,7 +3522,7 @@ en:
  • You made P.I.L.O.T. (Payments-In-Lieu-of-Tax) payments
  • Another reason applies
  • - helper_header: 'Leave first box unchecked if:' + helper_header: "Leave first box unchecked if:" homeowner_home_subject_to_property_taxes: I paid property taxes homeowner_main_home_multi_unit: My main home was a unit in a multi-unit property I owned homeowner_main_home_multi_unit_max_four_one_commercial: The property had two to four units and no more than one of those was a commercial unit @@ -3605,7 +3603,7 @@ en:
  • Expenses for which you were reimbursed through your health insurance plan.
  • do_not_claim: If you do not want to claim this deduction, click “Continue”. - label: 'Enter total non-reimbursed medical expenses paid in %{filing_year}:' + label: "Enter total non-reimbursed medical expenses paid in %{filing_year}:" learn_more_html: |-

    "Medical expenses" means non-reimbursed payments for costs such as:

      @@ -3633,18 +3631,18 @@ en: title: Confirm Your Identity (Optional) nj_retirement_income_source: edit: - doc_1099r_label: '1099-R:' + doc_1099r_label: "1099-R:" helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: 'Select the source of this income:' + label: "Select the source of this income:" option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: 'Taxable Amount:' - taxpayer_name_label: 'Taxpayer Name:' + taxable_amount_label: "Taxable Amount:" + taxpayer_name_label: "Taxpayer Name:" title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3673,13 +3671,13 @@ en: property_tax_paid: Property taxes paid in %{filing_year} rent_paid: Rent paid in %{filing_year} retirement_income_source: 1099-R Retirement Income - retirement_income_source_doc_1099r_label: '1099-R:' - retirement_income_source_label: 'Source:' + retirement_income_source_doc_1099r_label: "1099-R:" + retirement_income_source_label: "Source:" retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: 'Taxable Amount:' - retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' + retirement_income_source_taxable_amount_label: "Taxable Amount:" + retirement_income_source_taxpayer_name_label: "Taxpayer Name:" reveal: 15_wages_salaries_tips: Wages, salaries, tips 16a_interest_income: Interest income @@ -3711,7 +3709,7 @@ en: year_of_death: Year of spouse's passing nj_sales_use_tax: edit: - followup_radio_label: 'Select one of the following:' + followup_radio_label: "Select one of the following:" helper_description_html: "

      This applies to online purchases where sales or use tax was not applied. (Amazon and many other online retailers apply tax.)

      \n

      It also applies to items or services purchased out-of-state, in a state where there was no sales tax or the sales tax rate was below the NJ rate of 6.625%.

      \n

      (Review this page for more details.)

      \n" helper_heading: What kind of items or services does this apply to? manual_use_tax_label_html: "Enter total use tax" @@ -3868,7 +3866,7 @@ en: edit: calculated_use_tax: Enter calculated use tax. (Round to the nearest whole number.) enter_valid_dollar_amount: Please enter a dollar amount between 0 and 1699. - select_one: 'Select one of the following:' + select_one: "Select one of the following:" subtitle_html: This includes online purchases where sales or use tax was not applied. title: one: Did you make any out-of-state purchases in %{year} without paying sales or use tax? @@ -3906,7 +3904,7 @@ en: part_year: one: I lived in New York City for some of the year other: My spouse and I lived in New York City for some of the year, or we lived in New York City for different amounts of time. - title: 'Select your New York City residency status during %{year}:' + title: "Select your New York City residency status during %{year}:" pending_federal_return: edit: body_html: Sorry to keep you waiting.

      You’ll receive an email from IRS Direct File when your federal tax return is accepted with a link to bring you back here. Check your spam folder. @@ -3966,7 +3964,7 @@ en: download_voucher: Download and print the completed payment voucher. feedback: We value your feedback—let us know what you think of this service. include_payment: You'll need to include the payment voucher form. - mail_voucher_and_payment: 'Mail the voucher form and payment to:' + mail_voucher_and_payment: "Mail the voucher form and payment to:" md: refund_details_html: | You can check the status of your refund by visiting www.marylandtaxes.gov and clicking on "Where's my refund?" You can also call the automated refund inquiry hotline at 1-800-218-8160 (toll-free) or 410-260-7701. @@ -3989,7 +3987,7 @@ en: You'll need to enter your Social Security Number and the exact refund amount.

      You can also call the North Carolina Department of Revenue's toll-free refund inquiry line at 1-877-252-4052, available 24/7. - pay_by_mail_or_moneyorder: 'If you are paying by mail via check or money order:' + pay_by_mail_or_moneyorder: "If you are paying by mail via check or money order:" refund_details_html: 'Typical refund time frames are 7-8 weeks for e-Filed returns and 10-11 weeks for paper returns. There are some exceptions. For more information, please visit %{website_name} website: Where’s my Refund?' title: Your %{filing_year} %{state_name} state tax return is accepted additional_content: @@ -4016,8 +4014,8 @@ en: no_edit: body_html: Unfortunately, there has been an issue with filing your state return that cannot be resolved on our tool. We recommend you download your return to assist you in next steps. Chat with us or email us at help@fileyourstatetaxes.org for guidance on next steps. title: What can I do next? - reject_code: 'Reject Code:' - reject_desc: 'Reject Description:' + reject_code: "Reject Code:" + reject_desc: "Reject Description:" title: Unfortunately, your %{filing_year} %{state_name} state tax return was rejected review: county: County where you resided on December 31, %{filing_year} @@ -4037,7 +4035,7 @@ en: your_name: Your name review_header: income_details: Income Details - income_forms_collected: 'Income form(s) collected:' + income_forms_collected: "Income form(s) collected:" state_details_title: State Details your_refund: Your refund amount your_tax_owed: Your taxes owed @@ -4047,13 +4045,15 @@ en: term_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. term_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. term_4_html: "We are able to deliver messages to the following mobile phone carriers" - term_5: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' - term_6: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' + term_5: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." + term_6: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." term_7: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. - term_8_html: 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. + term_8_html: + 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. ' - term_9_html: 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy + term_9_html: + 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy ' title: Please review the FileYourStateTaxes text messaging terms and conditions @@ -4071,15 +4071,15 @@ en: nj_additional_content: body_html: You said you are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. body_mfj_html: You said you or your spouse are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. - header: 'Attention: if you are claiming the veteran exemption for the first time' + header: "Attention: if you are claiming the veteran exemption for the first time" tax_refund: bank_details: account_number: Account Number after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: 'Please provide your bank details:' + bank_title: "Please provide your bank details:" confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' + date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" foreign_accounts: Foreign accounts are not accepted routing_number: Routing Number withdraw_amount: How much do you authorize to be withdrawn from your account? (Your total amount due is: $%{owed_amount}.) @@ -4177,7 +4177,7 @@ en: apartment: Apartment/Unit Number box_10b_html: "Box 10b, State identification no." city: City - confirm_address_html: 'Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form.' + confirm_address_html: "Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form." confirm_address_no: No, I need to edit the address confirm_address_yes: Yes, that's the correct address dont_worry: If you have more than one 1099-G, don’t worry, you can add it on the next page. @@ -4212,7 +4212,7 @@ en: add_another: Add another 1099-G form delete_confirmation: Are you sure you want to delete this 1099-G? lets_review: Great! Thanks for sharing that information. Let’s review. - unemployment_compensation: 'Unemployment compensation: %{amount}' + unemployment_compensation: "Unemployment compensation: %{amount}" use_different_service: body: Before choosing an option, make sure it supports state-only tax filing. You most likely will need to reenter your federal tax return information in order to prepare your state tax return. Fees may apply. faq_link: Visit our FAQ @@ -4339,7 +4339,7 @@ en: cookies_3: We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Site to improve the way we promote our content and programs. cookies_4: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. cookies_header: Cookies - data_retention_1: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' + data_retention_1: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." data_retention_2: If you no longer wish to proceed with the FileYourStateTaxes application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. data_retention_header: Data Retention effective_date: This version of the policy is effective January 15, 2024. @@ -4348,7 +4348,7 @@ en: header_1_html: FileYourStateTaxes.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help households file their state taxes after using the federal IRS Direct File service. header_2_html: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. header_3_html: If you have any questions or concerns about this Privacy Notice, please contact us at help@fileyourstatetaxes.org - how_we_collect_your_info: 'We collect your information from various sources, such as when you or your household members:' + how_we_collect_your_info: "We collect your information from various sources, such as when you or your household members:" how_we_collect_your_info_header: How we collect your information how_we_collect_your_info_item_1: Visit our Site, fill out forms on our Site, or use our Services how_we_collect_your_info_item_2: Provide us with documents to use our Services @@ -4357,13 +4357,13 @@ en: independent_recourse_header: How to appeal a decision info_collect_1_html: We do not sell your personal information. We do not share your personal information with any third party, except as provided in this Privacy Policy, and consistent with 26 CFR 301.7216-2. Consistent with regulation, we may use or disclose your information in the following instances: info_collect_item_1: For analysis and reporting, we may share limited aggregate information with government agencies or other third parties, including the IRS or state departments of revenue, to analyze the use of our Services, in order to improve and expand our services. Such analysis is always performed using anonymized data, and data is never disclosed in cells smaller than ten returns. - info_collect_item_2: 'For research to improve our tax filing products, including:' + info_collect_item_2: "For research to improve our tax filing products, including:" info_collect_item_2_1: To invite you to complete questionnaires regarding your experience using our product. info_collect_item_2_2: To send you opportunities to participate in paid user research sessions, to learn more about your experience using our product and to guide the development of future free tax filing products. info_collect_item_3_html: To notify you of the availability of free tax filing services in the future. info_collect_item_4: If necessary, we may disclose your information to contractors who help us provide our services. We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. - info_collect_item_5: 'Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request.' - info_we_collect_1: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' + info_collect_item_5: "Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request." + info_we_collect_1: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" info_we_collect_header: Information we collect info_we_collect_item_1: Personal identifiers such as name, addresses, phone numbers, and email addresses info_we_collect_item_10: Household information and information about your spouse, if applicable @@ -4410,14 +4410,14 @@ en: body_1: When you opt-in to the service, we will send you an SMS message to confirm your signup. We will also text you updates on your tax return (message frequency will vary) and/or OTP/2FA codes (one message per request). body_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. body_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. - body_4: 'We are able to deliver messages to the following mobile phone carriers:' + body_4: "We are able to deliver messages to the following mobile phone carriers:" body_5a: As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider. body_5b_html: For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. body_6_html: 'If you have any questions regarding privacy, please read our privacy policy: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. header: FileYourStateTaxes text messaging terms and conditions - major_carriers: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' - minor_carriers: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' + major_carriers: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." + minor_carriers: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." state_information_service: az: department_of_taxation: Arizona Department of Revenue @@ -4528,7 +4528,7 @@ en: no_match_gyr: | Someone tried to sign in to GetYourRefund with this phone number, but we couldn't find a match. Did you sign up with a different phone number? You can also visit %{url} to get started. - with_code: 'Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes.' + with_code: "Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes." views: consent_pages: consent_to_disclose: @@ -4605,8 +4605,8 @@ en: contact_ta: Contact a Taxpayer Advocate contact_vita: Contact a VITA Site content_html: - - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. - - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. + - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. + - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. title: Unfortunately, you can’t use GetCTC because you already filed a %{current_tax_year} tax return. portal: bank_account: @@ -4637,7 +4637,7 @@ en: title: Edit your address messages: new: - body_label: 'Enter your message below:' + body_label: "Enter your message below:" title: Contact us wait_time: Please allow 3 business days for a response. primary_filer: @@ -4664,7 +4664,7 @@ en: i_dont_have_id: I don't have an ID id: Your driver's license or state ID card id_label: Photo of your ID - info: 'To protect your identity and verify your information, we''ll need you to submit the following two photos:' + info: "To protect your identity and verify your information, we'll need you to submit the following two photos:" paper_file: download_link_text: Download 1040 go_back: Submit my ID instead @@ -4698,8 +4698,8 @@ en: title: Did you receive any Advance Child Tax Credit payments from the IRS in 2021? question: Did you receive this amount? title: Did you receive a total of $%{adv_ctc_estimate} in Advance Child Tax Credit payments in 2021? - total_adv_ctc: 'We estimate that you should have received:' - total_adv_ctc_details_html: 'for the following dependents:' + total_adv_ctc: "We estimate that you should have received:" + total_adv_ctc_details_html: "for the following dependents:" yes_received: I received this amount advance_ctc_amount: details_html: | @@ -4718,15 +4718,15 @@ en: correct: Correct the amount I received no_file: I don’t need to file a return content: - - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. - - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. + - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. + - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. title: You have no more Child Tax Credit to claim. advance_ctc_received: already_received: Amount you received ctc_owed_details: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. - ctc_owed_title: 'You are eligible for an additional:' + ctc_owed_title: "You are eligible for an additional:" title: Ok, we calculated your Child Tax Credit. - total_adv_ctc: 'Total Advance CTC: %{amount}' + total_adv_ctc: "Total Advance CTC: %{amount}" already_completed: content_html: |

      You've completed all of our intake questions and we're reviewing and submitting your tax return.

      @@ -4743,17 +4743,17 @@ en:

      If you received a notice from the IRS this year about your return (Letter 5071C, Letter 6331C, or Letter 12C), then you already filed a federal return with the IRS this year.

      Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.

      reveal: - content_title: 'If you received any of the letters listed here, you’ve already filed:' + content_title: "If you received any of the letters listed here, you’ve already filed:" list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: I received a different letter from the IRS. Does that mean I already filed? title: Did you file a %{current_tax_year} federal tax return with the IRS this year? title: Did you file a %{current_tax_year} tax return this year? @@ -4776,9 +4776,9 @@ en: help_text: The Earned Income Tax Credit (EITC) is a tax credit that can give you up to $6,700. info_box: list: - - You had a job earning money in %{current_tax_year} - - Each person on this return has an SSN - title: 'Requirements:' + - You had a job earning money in %{current_tax_year} + - Each person on this return has an SSN + title: "Requirements:" title: Would you like to claim more money by sharing any 2021 W-2 forms? confirm_bank_account: bank_information: Your bank information @@ -4813,15 +4813,15 @@ en: confirm_payment: client_not_collecting: You are not collecting any payments, please edit your tax return. ctc_0_due_link: Claim children for CTC - ctc_due: 'Child Tax Credit payments:' + ctc_due: "Child Tax Credit payments:" do_not_file: Do not file do_not_file_flash_message: Thank you for using GetCTC! We will not file your return. - eitc: 'Earned Income Tax Credit:' - fed_income_tax_withholding: 'Federal Income Tax Withholding:' + eitc: "Earned Income Tax Credit:" + fed_income_tax_withholding: "Federal Income Tax Withholding:" subtitle: You’re almost done! Please confirm your refund information. - third_stimulus: 'Third Stimulus Payment:' - title: 'Review this list of the payments you are claiming:' - total: 'Total refund amount:' + third_stimulus: "Third Stimulus Payment:" + title: "Review this list of the payments you are claiming:" + total: "Total refund amount:" confirm_primary_prior_year_agi: primary_prior_year_agi: Your %{prior_tax_year} AGI confirm_spouse_prior_year_agi: @@ -4829,7 +4829,7 @@ en: contact_preference: body: We’ll send a code to verify your contact information so that we can send updates on your return. Please select the option that works best! email: Email me - sms_policy: 'Note: Standard SMS message rates apply. We will not share your information with any outside parties.' + sms_policy: "Note: Standard SMS message rates apply. We will not share your information with any outside parties." text: Text me title: What is the best way to reach you? dependents: @@ -4839,8 +4839,8 @@ en: child_claim_anyway: help_text: list: - - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. - - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. + - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. + - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. p1: If you and the other person who could claim the dependent are both their legal parents... p2: If you are %{name}’s legal parent and the other person who could claim them is not, then you can claim them. legal_parent_reveal: @@ -4861,7 +4861,7 @@ en: info: A doctor determines that you have a permanent disability when you are unable to do a majority of your work because of a physical or mental condition. title: What is the definition of permanently and totally disabled? full_time_student: "%{name} was a full-time student" - help_text: 'Select any situations that were true in %{current_tax_year}:' + help_text: "Select any situations that were true in %{current_tax_year}:" permanently_totally_disabled: "%{name} was permanently and totally disabled" student_reveal: info_html: | @@ -4874,10 +4874,10 @@ en: reveal: body: If your dependent was at a temporary location in 2021, select the number of months that your home was their official address. list: - - school - - medical facility - - a juvenile facility - list_title: 'Some examples of temporary locations:' + - school + - medical facility + - a juvenile facility + list_title: "Some examples of temporary locations:" title: What if my dependent was away for some time in 2021? select_options: eight: 8 months @@ -4895,31 +4895,31 @@ en: does_my_child_qualify_reveal: content: list_1: - - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. + - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. list_2: - - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' + - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' p1: Who counts as a foster child? p2: What if I have an adopted child? title: Does my child qualify? does_not_qualify_ctc: conditions: - - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. - - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. - - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. - - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. + - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. + - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. + - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. + - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. help_text: We will not save %{name} to your tax return. They do not qualify for any tax credits. puerto_rico: affirmative: Yes, add another child conditions: - - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. - - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. - - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. - - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. - - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. + - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. + - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. + - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. + - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. + - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. help_text: We will not save %{name} to your tax return. They do not qualify for Child Tax Credit payments. negative: No, continue title: You can not claim Child Tax Credit for %{name}. Would you like to add anyone else? @@ -4932,7 +4932,7 @@ en: last_name: Legal last name middle_initial: Legal middle name(s) (optional) relationship_to_you: What is their relationship to you? - situations: 'Select if the following is true:' + situations: "Select if the following is true:" suffix: Suffix (optional) title: Let’s get their basic information! relative_financial_support: @@ -4944,7 +4944,7 @@ en: gross_income_reveal: content: "“Gross income” generally includes all income received during the year, including both earned and unearned income. Examples include wages, cash from your own business or side job, unemployment income, or Social Security income." title: What is gross income? - help_text: 'Select any situations that were true in %{current_tax_year}:' + help_text: "Select any situations that were true in %{current_tax_year}:" income_requirement: "%{name} earned less than $4,300 in gross income." title: We just need to verify a few more things. remove_dependent: @@ -4999,7 +4999,7 @@ en: info: A qualified homeless youth is someone who is homeless or at risk of homelessness, who supports themselves financially. You must be between 18-24 years old and can not be under physical custody of a parent or guardian. title: Am I a qualified homeless youth? not_full_time_student: I was not a full time student - title: 'Select any of the situations that were true in %{current_tax_year}:' + title: "Select any of the situations that were true in %{current_tax_year}:" email_address: title: Please share your email address. file_full_return: @@ -5008,14 +5008,14 @@ en: help_text2: If you file a full tax return you could receive additional cash benefits from the Earned Income Tax Credit, state tax credits, and more. help_text_eitc: If you have income that is reported on a 1099-NEC or a 1099-K you should file a full tax return instead. list_1_eitc: - - Child Tax Credit - - 3rd Stimulus Check - - Earned Income Tax Credit - list_1_eitc_title: 'You can file a simplified tax return to claim the:' + - Child Tax Credit + - 3rd Stimulus Check + - Earned Income Tax Credit + list_1_eitc_title: "You can file a simplified tax return to claim the:" list_2_eitc: - - Stimulus check 1 or 2 - - State tax credits or stimulus payments - list_2_eitc_title: 'You cannot use this tool to claim:' + - Stimulus check 1 or 2 + - State tax credits or stimulus payments + list_2_eitc_title: "You cannot use this tool to claim:" puerto_rico: full_btn: File a Puerto Rico tax return help_text: This is not a Puerto Rico return with Departamento de Hacienda. If you want to claim additional benefits (like the Earned Income Tax Credit, any of the stimulus payments, or other Puerto Rico credits) you will need to file a separate Puerto Rico Tax Return with Hacienda. @@ -5023,9 +5023,9 @@ en: title: You are currently filing a simplified tax return to claim only your Child Tax Credit. reveal: body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How can I get the first two stimulus payments? simplified_btn: Continue filing a simplified return title: You are currently filing a simplified tax return to claim only your Child Tax Credit and third stimulus payment. @@ -5038,7 +5038,7 @@ en: puerto_rico: did_not_file: No, I didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, I filed an IRS tax return - note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' + note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." title: Did you file a %{prior_tax_year} federal tax return with the IRS? title: Did you file a %{prior_tax_year} tax return? filing_status: @@ -5059,54 +5059,54 @@ en: title: To claim your Child Tax Credit, you must add your dependents (children or others who you financially support) which_relationships_qualify_reveal: content: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Parent - - Step Parent - - Grandparent - - Aunt - - Uncle - - In Laws - - Other descendants of my siblings - - Other relationship not listed + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Parent + - Step Parent + - Grandparent + - Aunt + - Uncle + - In Laws + - Other descendants of my siblings + - Other relationship not listed content_puerto_rico: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Other descendants of my siblings + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Other descendants of my siblings title: Which relationships qualify? head_of_household: claim_hoh: Claim HoH status do_not_claim_hoh: Do not claim HoH status eligibility_b_criteria_list: - - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse - - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses - - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses + - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse + - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses + - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses eligibility_list_a: a. You are not married - eligibility_list_b: 'b. You have one or more of the following:' + eligibility_list_b: "b. You have one or more of the following:" eligibility_list_c_html: "c. You pay at least half the cost of keeping up the home where this dependent lives — costs including property taxes, mortgage interest, rent, utilities, upkeep/repairs, and food consumed." full_list_of_rules_html: The full list of Head of Household rules is available here. If you choose to claim Head of Household status, you understand that you are responsible for reviewing these rules and ensuring that you are eligible. subtitle_1: Because you are claiming dependents, you may be eligible to claim Head of Household tax status on your return. Claiming Head of Household status will not increase your refund, and will not make you eligible for any additional tax benefits. We do not recommend you claim Head of Household status. - subtitle_2: 'You are likely eligible for Head of Household status if:' + subtitle_2: "You are likely eligible for Head of Household status if:" title: Claiming Head of Household status will not increase your refund. income: income_source_reveal: @@ -5114,49 +5114,49 @@ en: title: How do I know the source of my income? list: one: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason other: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason mainland_connection_reveal: content: If your family and your belongings are located in any of the 50 states or in a foreign country rather than Puerto Rico, or your community engagements are stronger in the 50 states or in a foreign country than they are in Puerto Rico, then you can’t use GetCTC as a Puerto Rican resident. title: What does it mean to have a closer connection to the mainland U.S. than to Puerto Rico? puerto_rico: list: one: - - you earned less than %{standard_deduction} in total income - - you earned less than $400 in self-employment income - - you are not required to file a full tax return for any other reason - - all of your earned income came from sources within Puerto Rico - - you lived in Puerto Rico for at least half the year (183 days) - - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you earned less than %{standard_deduction} in total income + - you earned less than $400 in self-employment income + - you are not required to file a full tax return for any other reason + - all of your earned income came from sources within Puerto Rico + - you lived in Puerto Rico for at least half the year (183 days) + - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else other: - - you and your spouse earned less than %{standard_deduction} in total income - - you and your spouse earned less than $400 in self-employment income - - you and your spouse are not required to file a full tax return for any other reason - - all of your and your spouse's earned income came from sources within Puerto Rico - - you and your spouse lived in Puerto Rico for at least half the year (183 days) - - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you and your spouse earned less than %{standard_deduction} in total income + - you and your spouse earned less than $400 in self-employment income + - you and your spouse are not required to file a full tax return for any other reason + - all of your and your spouse's earned income came from sources within Puerto Rico + - you and your spouse lived in Puerto Rico for at least half the year (183 days) + - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else self_employment_income_reveal: content: list_1: - - 1099 contract work - - gig work - - driving for Uber, Lyft, or similar - - renting out your home + - 1099 contract work + - gig work + - driving for Uber, Lyft, or similar + - renting out your home p1: Self-employment income is generally any money that you made from your own business, or in some cases working part time for an employer. Self-employment income is reported to you on a 1099 rather than a W-2. - p2: 'If your employer calls you a ''contractor'' rather than an ''employee,'' your income from that job is probably self-employment income. Self-employment income could include:' + p2: "If your employer calls you a 'contractor' rather than an 'employee,' your income from that job is probably self-employment income. Self-employment income could include:" title: What counts as self-employment income? title: - one: 'You can only use GetCTC if, in %{current_tax_year}, you:' - other: 'You can only use GetCTC if, in %{current_tax_year}, you and your spouse:' + one: "You can only use GetCTC if, in %{current_tax_year}, you:" + other: "You can only use GetCTC if, in %{current_tax_year}, you and your spouse:" what_is_aptc_reveal: content: p1: The Advance Premium Tax Credit is a subsidy some households get for their health insurance coverage. @@ -5165,13 +5165,13 @@ en: title: What is the Advance Premium Tax Credit? income_qualifier: list: - - salary - - hourly wages - - dividends and interest - - tips - - commissions - - self-employment or contract payments - subtitle: 'Income could come from any of the following sources:' + - salary + - hourly wages + - dividends and interest + - tips + - commissions + - self-employment or contract payments + subtitle: "Income could come from any of the following sources:" title: one: Did you make less than %{standard_deduction} in %{current_tax_year}? other: Did you and your spouse make less than %{standard_deduction} in %{current_tax_year}? @@ -5194,7 +5194,7 @@ en:

      The IRS issues you a new IP PIN every year, and you must provide this year's PIN.

      Click here to retrieve your IP PIN from the IRS.

      irs_language_preference: - select_language: 'Please select your preferred language:' + select_language: "Please select your preferred language:" subtitle: The IRS may reach out with questions. You have the option to select a preferred language. title: What language do you want the IRS to use when they contact you? legal_consent: @@ -5255,8 +5255,8 @@ en: add_dependents: Add more dependents puerto_rico: subtitle: - - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. - - If this is a mistake you can click ‘Add a child’. + - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. + - If this is a mistake you can click ‘Add a child’. title: You will not receive the Child Tax Credit. subtitle: Based on your current answers you will not receive the Child Tax Credit, because you have no eligible dependents. title: You will not receive the Child Tax Credit, but you may continue to collect other cash payments. @@ -5266,11 +5266,11 @@ en: non_w2_income: additional_income: list: - - contractor income - - interest income - - unemployment income - - any other money you received - list_title: 'Additional income includes:' + - contractor income + - interest income + - unemployment income + - any other money you received + list_title: "Additional income includes:" title: one: Did you make more than %{additional_income_amount} in additional income? other: Did you and your spouse make more than %{additional_income_amount} in additional income? @@ -5279,7 +5279,7 @@ en: faq: Visit our FAQ home: Go to the homepage content: - - We will not send any of your information to the IRS. + - We will not send any of your information to the IRS. title: You’ve decided to not file a tax return. overview: help_text: Use our simple e-filing tool to receive your Child Tax Credit and, if applicable, your third stimulus payment. @@ -5304,13 +5304,13 @@ en: restrictions: cannot_use_ctc: I can't use GetCTC list: - - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then - - you have income in tips from a service job that was not reported to your employer - - you want to file Form 8332 in order to claim a child who does not live with you - - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS - - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} - - you bought or sold cryptocurrency in %{current_tax_year} - list_title: 'You can not use GetCTC if:' + - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then + - you have income in tips from a service job that was not reported to your employer + - you want to file Form 8332 in order to claim a child who does not live with you + - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS + - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} + - you bought or sold cryptocurrency in %{current_tax_year} + list_title: "You can not use GetCTC if:" multiple_support_agreement_reveal: content: p1: A multiple support agreement is a formal arrangement you make with family or friends to jointly care for a child or relative. @@ -5344,7 +5344,7 @@ en: did_not_file: No, %{spouse_first_name} didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, %{spouse_first_name} filed an IRS tax return separately from me filed_together: Yes, %{spouse_first_name} filed an IRS tax return jointly with me - note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' + note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." title: Did %{spouse_first_name} file a %{prior_tax_year} federal tax return with the IRS? title: Did %{spouse_first_name} file a %{prior_tax_year} tax return? spouse_info: @@ -5371,15 +5371,15 @@ en: title: What was %{spouse_first_name}’s %{prior_tax_year} Adjusted Gross Income? spouse_review: help_text: We have added the following person as your spouse on your return. - spouse_birthday: 'Date of birth: %{dob}' - spouse_ssn: 'SSN: XXX-XX-%{ssn}' + spouse_birthday: "Date of birth: %{dob}" + spouse_ssn: "SSN: XXX-XX-%{ssn}" title: Let's confirm your spouse's information. your_spouse: Your spouse stimulus_owed: amount_received: Amount you received correction: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. eip_three: Third stimulus - eligible_for: 'You are claiming an additional:' + eligible_for: "You are claiming an additional:" title: It looks like you are still owed some of the third stimulus payment. stimulus_payments: different_amount: I received a different amount @@ -5387,15 +5387,15 @@ en: question: Did you receive this amount? reveal: content_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How do I get the first two stimulus payments? third_stimulus: We estimate that you should have received third_stimulus_details: - - based on your filing status and dependents. - - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. - - For example, a parent caring for two children would have received $4,200. + - based on your filing status and dependents. + - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. + - For example, a parent caring for two children would have received $4,200. this_amount: I received this amount title: Did you receive a total of %{third_stimulus_amount} for your third stimulus payment? stimulus_received: @@ -5413,39 +5413,39 @@ en: use_gyr: file_gyr: File with GetYourRefund puerto_rico: - address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069.' - in_person: 'In-person:' + address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069." + in_person: "In-person:" online_html: 'Online filing: https://myfreetaxes.com/' - pr_number: 'Puerto Rico Helpline: 877-722-9832' - still_file: 'You may still be able to file to claim your benefits. For additional help, consider reaching out to:' - virtual: 'Virtual: MyFreeTaxes' + pr_number: "Puerto Rico Helpline: 877-722-9832" + still_file: "You may still be able to file to claim your benefits. For additional help, consider reaching out to:" + virtual: "Virtual: MyFreeTaxes" why_ineligible_reveal: content: list: - - You earned more than $400 in self-employment income - - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country - - You did not live in Puerto Rico for more than half of %{current_tax_year} - - You moved in or out of Puerto Rico during %{current_tax_year} - - You can be claimed as a dependent by someone else - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + - You earned more than $400 in self-employment income + - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country + - You did not live in Puerto Rico for more than half of %{current_tax_year} + - You moved in or out of Puerto Rico during %{current_tax_year} + - You can be claimed as a dependent by someone else + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. still_benefit: You could still benefit by filing a full tax return for free using GetYourRefund. title: Unfortunately, you are not eligible to use GetCTC. visit_our_faq: Visit our FAQ why_ineligible_reveal: content: list: - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You earned more than $400 in self-employment income - - You can be claimed as a dependent - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. - p: 'Some reasons you might be ineligible to use GetCTC are:' + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You earned more than $400 in self-employment income + - You can be claimed as a dependent + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + p: "Some reasons you might be ineligible to use GetCTC are:" title: Why am I ineligible? verification: - body: 'A message with your code has been sent to:' + body: "A message with your code has been sent to:" error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -5457,20 +5457,20 @@ en: done_adding: Finished adding all W-2s dont_add_w2: I don't want to add my W-2 employee_info: - employee_city: 'Box e: City' - employee_legal_name: 'Select the legal name on the W2:' - employee_state: 'Box e: State' - employee_street_address: 'Box e: Employee street address or P.O. box' - employee_zip_code: 'Box e: Zip code' + employee_city: "Box e: City" + employee_legal_name: "Select the legal name on the W2:" + employee_state: "Box e: State" + employee_street_address: "Box e: Employee street address or P.O. box" + employee_zip_code: "Box e: Zip code" title: one: Let’s start by entering some basic info for %{name}. other: Let’s start by entering some basic info. employer_info: add: Add W-2 - box_d_control_number: 'Box d: Control number' + box_d_control_number: "Box d: Control number" employer_city: City - employer_ein: 'Box b: Employer Identification Number (EIN)' - employer_name: 'Box c: Employer Name' + employer_ein: "Box b: Employer Identification Number (EIN)" + employer_name: "Box c: Employer Name" employer_state: State employer_street_address: Employer street address or P.O. box employer_zip_code: Zip code @@ -5481,31 +5481,31 @@ en: other: A W-2 is an official tax form given to you by your employer. Enter all of you and your spouse’s W-2s to get the Earned Income Tax Credit and avoid delays. p2: The form you enter must have W-2 printed on top or it will not be accepted. misc_info: - box11_nonqualified_plans: 'Box 11: Nonqualified plans' + box11_nonqualified_plans: "Box 11: Nonqualified plans" box12_error: Must provide both code and value box12_value_error: Value must be numeric - box12a: 'Box 12a:' - box12b: 'Box 12b:' - box12c: 'Box 12c:' - box12d: 'Box 12d:' - box13: 'Box 13: If marked on your W-2, select the matching option below' + box12a: "Box 12a:" + box12b: "Box 12b:" + box12c: "Box 12c:" + box12d: "Box 12d:" + box13: "Box 13: If marked on your W-2, select the matching option below" box13_retirement_plan: Retirement plan box13_statutory_employee: Statutory employee box13_third_party_sick_pay: Third-party sick pay box14_error: Must provide both description and amount - box14_other: 'Box 14: Other' + box14_other: "Box 14: Other" box15_error: Must provide both state and employer's state ID number - box15_state: 'Box 15: State and Employer’s State ID number' - box16_state_wages: 'Box 16: State wages, tips, etc.' - box17_state_income_tax: 'Box 17: State income tax' - box18_local_wages: 'Box 18: Local wages, tips, etc.' - box19_local_income_tax: 'Box 19: Local income tax' - box20_locality_name: 'Box 20: Locality name' + box15_state: "Box 15: State and Employer’s State ID number" + box16_state_wages: "Box 16: State wages, tips, etc." + box17_state_income_tax: "Box 17: State income tax" + box18_local_wages: "Box 18: Local wages, tips, etc." + box19_local_income_tax: "Box 19: Local income tax" + box20_locality_name: "Box 20: Locality name" remove_this_w2: Remove this W-2 - requirement_title: 'Requirement:' + requirement_title: "Requirement:" requirements: - - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. - - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. + - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. + - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. submit: Save this W-2 title: Let’s finish entering %{name}’s W-2 information. note_html: "Note: If you do not add a W-2 you will not receive the Earned Income Tax Credit. However, you can still claim the other credits if available to you." @@ -5521,19 +5521,19 @@ en: title: Please share the income from your W-2. wages: Wages wages_info: - box10_dependent_care_benefits: 'Box 10: Dependent care benefits' - box3_social_security_wages: 'Box 3: Social Security wages' - box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' - box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' - box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' - box7_social_security_tips_amount: 'Box 7: Social Security tips amount' - box8_allocated_tips: 'Box 8: Allocated tips' - federal_income_tax_withheld: 'Box 2: Federal Income Tax Withheld' + box10_dependent_care_benefits: "Box 10: Dependent care benefits" + box3_social_security_wages: "Box 3: Social Security wages" + box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" + box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" + box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" + box7_social_security_tips_amount: "Box 7: Social Security tips amount" + box8_allocated_tips: "Box 8: Allocated tips" + federal_income_tax_withheld: "Box 2: Federal Income Tax Withheld" info_box: requirement_description_html: Please enter the information exactly as it appears on your W-2. If there are blank boxes on your W-2, please leave them blank in the boxes below as well. - requirement_title: 'Requirement:' + requirement_title: "Requirement:" title: Great! Please enter all of %{name}’s wages, tips, and taxes withheld from this W-2. - wages_amount: 'Box 1: Wages Amount' + wages_amount: "Box 1: Wages Amount" shared: ssn_not_valid_for_employment: This person's SSN card has "Not valid for employment" printed on it. (This is rare) ctc_pages: @@ -5541,21 +5541,21 @@ en: compare_benefits: ctc: list: - - Federal stimulus payments - - Child Tax Credit + - Federal stimulus payments + - Child Tax Credit note_html: If you file with GetCTC, you can file an amended return later to claim the additional credits you would have received by filing with GetYourRefund. This process can be quite difficult, and you would likely need assistance from a tax professional. - p1_html: 'A household with 1 child under the age of 6 may receive an average of: $7,500' - p2_html: 'A household with no children may receive an average of: $3,200' + p1_html: "A household with 1 child under the age of 6 may receive an average of: $7,500" + p2_html: "A household with no children may receive an average of: $3,200" gyr: list: - - Federal stimulus payments - - Child Tax Credit - - Earned Income Tax Credit - - California Earned Income Tax Credit - - Golden State Stimulus payments - - California Young Child Tax Credit - p1_html: 'A household with 1 child under the age of 6 may receive an average of: $12,200' - p2_html: 'A household with no children may receive an average of: $4,300' + - Federal stimulus payments + - Child Tax Credit + - Earned Income Tax Credit + - California Earned Income Tax Credit + - Golden State Stimulus payments + - California Young Child Tax Credit + p1_html: "A household with 1 child under the age of 6 may receive an average of: $12,200" + p2_html: "A household with no children may receive an average of: $4,300" title: Compare benefits compare_length: ctc: 30 minutes @@ -5564,12 +5564,12 @@ en: compare_required_info: ctc: list: - - Social Security or ITIN Numbers + - Social Security or ITIN Numbers gyr: list: - - Employment documents - - "(W2’s, 1099’s, etc.)" - - Social Security or ITIN Numbers + - Employment documents + - "(W2’s, 1099’s, etc.)" + - Social Security or ITIN Numbers helper_text: Documents are required for each family member on your tax return. title: Compare required information ctc: GetCTC @@ -5715,58 +5715,58 @@ en: title: GetCTC Outreach and Navigator Resources privacy_policy: 01_intro: - - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. - - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. + - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. + - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. 02_questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} 03_overview: Overview 04_info_we_collect: Information we collect - 05_info_we_collect_details: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' + 05_info_we_collect_details: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" 06_info_we_collect_list: - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Characteristics of protected classifications, such as gender, race, and ethnicity - - Tax information, such as social security number or individual taxpayer identification number (ITIN) - - State-issued identification, such as driver’s license number - - Financial information, such as employment, income and income sources - - Banking details for direct deposit of refunds - - Details of dependents - - Household information and information about your spouse, if applicable - - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Characteristics of protected classifications, such as gender, race, and ethnicity + - Tax information, such as social security number or individual taxpayer identification number (ITIN) + - State-issued identification, such as driver’s license number + - Financial information, such as employment, income and income sources + - Banking details for direct deposit of refunds + - Details of dependents + - Household information and information about your spouse, if applicable + - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) 07_info_required_by_irs: We collect information as required by the IRS in Revenue Procedure “Rev RP-21-24.” - '08_how_we_collect': How we collect your information - '09_various_sources': We collect your information from various sources, such as when you or your household members + "08_how_we_collect": How we collect your information + "09_various_sources": We collect your information from various sources, such as when you or your household members 10_various_sources_list: - - Visit our Site, fill out forms on our Site, or use our Services - - Provide us with documents to use our Services - - Communicate with us (for instance through email, chat, social media, or otherwise) + - Visit our Site, fill out forms on our Site, or use our Services + - Provide us with documents to use our Services + - Communicate with us (for instance through email, chat, social media, or otherwise) 11_third_parties: We may also collect your information from third-parties such as 12_third_parties_list: - - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for - - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services + - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for + - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services 13_using_information: Using information we have collected 14_using_information_details: We use your information for our business purposes and legitimate interests such as 14_using_information_list: - - To help connect you with the free tax preparation services or any other benefit programs that you apply for - - To complete forms required for use of the Services or filing of your taxes - - To provide support to you through the process and communicate with you - - To monitor and understand how the Site and our Services are used - - To improve the quality or scope of the Site or our Services - - To suggest other services or assistance programs that may be useful to you - - For fraud detection, prevention, and security purposes - - To comply with legal requirements and obligations - - For research + - To help connect you with the free tax preparation services or any other benefit programs that you apply for + - To complete forms required for use of the Services or filing of your taxes + - To provide support to you through the process and communicate with you + - To monitor and understand how the Site and our Services are used + - To improve the quality or scope of the Site or our Services + - To suggest other services or assistance programs that may be useful to you + - For fraud detection, prevention, and security purposes + - To comply with legal requirements and obligations + - For research 15_information_shared_with_others: Information shared with others 16_we_dont_sell: We do not sell your personal information. 17_disclose_to_others_details: We do not share personal information to any third party, except as provided in this Privacy Policy. We may disclose information to contractors, affiliated organizations, and/or unaffiliated third parties to provide the Services to you, to conduct our business, or to help with our business activities. For example, we may share your information with 18_disclose_to_others_list_html: - - VITA providers to help prepare and submit your tax returns - - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments - - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates - - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. + - VITA providers to help prepare and submit your tax returns + - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments + - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates + - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. 19_require_third_parties: We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. 20_may_share_third_parties: We may share your information with third parties in special situations, such as when required by law, or we believe sharing will help to protect the safety, property, or rights of Code for America, the people we serve, our associates, or other persons. 21_may_share_government: We may share limited, aggregated, or personal information with government agencies, such as the IRS, to analyze the use of our Services, free tax preparation service providers, and the Child Tax Credit in order to improve and expand our Services. We will not share any information with the IRS that has not already been disclosed on your tax return or through the GetCTC website. @@ -5775,15 +5775,15 @@ en: 24_your_choices_contact_methods: Postal mail, email, and promotions 25_to_update_prefs: To update your preferences or contact information, you may 26_to_update_prefs_list_html: - - contact us at %{email_link} and request removal from the GetCTC update emails - - follow the opt-out instructions provided in emails or postal mail - - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America + - contact us at %{email_link} and request removal from the GetCTC update emails + - follow the opt-out instructions provided in emails or postal mail + - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America 27_unsubscribe_note: Please note that even if you unsubscribe from promotional email offers and updates, we may still contact you for transactional purposes. For example, we may send communications regarding your tax return status, reminders, or to alert you of additional information needed. 28_cookies: Cookies 29_cookies_details: Cookies are small text files that websites place on the computers and mobile devices of people who visit those websites. Pixel tags (also called web beacons) are small blocks of code placed on websites and emails. 30_cookies_list: - - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. - - Your use of our Sites indicates your consent to such use of Cookies. + - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. + - Your use of our Sites indicates your consent to such use of Cookies. 31_cookies_default: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. 32_sms: Transactional SMS (Text) Messages 33_sms_details_html: You may unsubscribe to transactional messages by texting STOP to 58750 at any time. After we receive your opt-out request, we will send you a final text message to confirm your opt-out. Please see GetYourRefund's SMS terms, for additional details and opt-out instructions for these services. Data obtained through the short code program will not be shared with any third-parties for their marketing reasons/purposes. @@ -5793,44 +5793,44 @@ en: 37_additional_services_details: We may provide additional links to resources we think you'll find useful. These links may lead you to sites that are not affiliated with us and/or may operate under different privacy practices. We are not responsible for the content or privacy practices of such other sites. We encourage our visitors and users to be aware when they leave our site and to read the privacy statements of any other site as we do not control how other sites collect personal information 38_how_we_protect: How we protect your information 39_how_we_protect_list: - - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. - - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. + - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. + - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. 40_retention: Data Retention 41_retention_list: - - 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' - - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. + - "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." + - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. 42_children: Children’s privacy 43_children_details: We do not knowingly collect personal information from unemancipated minors under 16 years of age. 44_changes: Changes 45_changes_summary: We may change this Privacy Policy from time to time. Please check this page frequently for updates as your continued use of our Services after any changes in this Privacy Policy will constitute your acceptance of the changes. For material changes, we will notify you via email, or other means consistent with applicable law. 46_access_request: Your Rights 47_access_request_list_html: - - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. - - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. + - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. + - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. 47_effective_date: Effective Date 48_effective_date_info: This version of the policy is effective October 22, 2021. 49_questions: Questions 50_questions_list_html: - - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. - - 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' + - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. + - "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" 51_do_our_best: We will do our best to resolve the issue. puerto_rico: hero: - - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. - - This form usually takes about 15 minutes to complete, and you won't need any tax documents. + - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. + - This form usually takes about 15 minutes to complete, and you won't need any tax documents. title: Puerto Rico, you can get Child Tax Credit for your family! what_is: body: - - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. - - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! + - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. + - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! heading: Most families in Puerto Rico can get thousands of dollars from the Child Tax Credit by filing with the IRS! how_much_reveal: body: - - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. + - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. title: How much will I get? qualify_reveal: body: - - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. + - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. title: Do my children qualify? puerto_rico_overview: cta: You are about to file a tax return. You are responsible for answering questions truthfully and accurately to the best of your ability. @@ -5879,8 +5879,8 @@ en: heading_open: Most families can get thousands of dollars from the third stimulus payment reveals: first_two_body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. first_two_title: What about the first two stimulus payments? how_much_ctc_body: The third stimulus payment was usually issued in March or April 2021, and was worth $1,400 per adult tax filer plus $1,400 per eligible dependent. If you received less than you deserved in 2021, or didn’t receive any payment at all, you can claim your missing stimulus payment by filing a simple tax return. how_much_ctc_title: How much will I get from the Child Tax Credit? @@ -5914,7 +5914,7 @@ en: title: Let’s claim someone! documents: additional_documents: - document_list_title: 'Based on your earlier answers, you might have the following:' + document_list_title: "Based on your earlier answers, you might have the following:" help_text: If you have any other documents that might be relevant, please share them with us below. It will help us better prepare your taxes! title: Please share any additional documents. employment: @@ -5941,14 +5941,14 @@ en: one: The IRS requires us to see a current drivers license, passport, or state ID. other: The IRS requires us to see a current drivers license, passport, or state ID for you and your spouse. info: We will use your ID card to verify and protect your identity in accordance with IRS guidelines. It is ok if your ID is expired or if you have a temporary drivers license as long as we can clearly view your name and photo. - need_for: 'We will need an ID for:' + need_for: "We will need an ID for:" title: one: Attach a photo of your ID card other: Attach photos of ID cards intro: info: Based on your answers to our earlier questions, we have a list of documents you should share. Your progress will be saved and you can return with more documents later. - note: 'Note: If you have other documents, you will have a chance to share those as well.' - should_have: 'You should have the following documents:' + note: "Note: If you have other documents, you will have a chance to share those as well." + should_have: "You should have the following documents:" title: Now, let's collect your tax documents! overview: empty: No documents of this type were uploaded. @@ -5969,7 +5969,7 @@ en: submit_photo: Submit a photo selfies: help_text: The IRS requires us to verify who you are for tax preparation services. - need_for_html: 'We will need to see a photo with ID for:' + need_for_html: "We will need to see a photo with ID for:" title: Share a photo of yourself holding your ID card spouse_ids: expanded_id: @@ -5983,7 +5983,7 @@ en: help_text: The IRS requires us to see an additional form of identity. We use a second form of ID to verify and protect your identity in accordance with IRS guidelines. title: Attach photos of an additional form of ID help_text: The IRS requires us to see a valid Social Security Card or ITIN Paperwork for everyone in the household for tax preparation services. - need_for: 'We will need a SSN or ITIN for:' + need_for: "We will need a SSN or ITIN for:" title: Attach photos of Social Security Card or ITIN layouts: admin: @@ -6054,7 +6054,7 @@ en: closed_open_for_login_banner_html: GetYourRefund services are closed for this tax season. We look forward to providing our free tax assistance again starting in January. For free tax prep now, you can search for a VITA location in your area. faq: faq_cta: Read our FAQ - header: 'Common Tax Questions:' + header: "Common Tax Questions:" header: Free tax filing, made simple. open_intake_post_tax_deadline_banner: Get started with GetYourRefund by %{end_of_intake} if you want to file with us in 2024. If your return is in progress, sign in and submit your documents by %{end_of_docs}. security: @@ -6084,7 +6084,7 @@ en: description: We do not knowingly collect personal information from unemancipated minors under 16 years of age. header: Children’s privacy data_retention: - description: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law.' + description: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law." header: Data Retention description: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. effective_date: @@ -6108,7 +6108,7 @@ en: demographic: Demographic information, such as age and marital status device_information: Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) financial_information: Financial information, such as employment, income and income sources - header: 'We may collect the following information about you, your dependents, or members of your household:' + header: "We may collect the following information about you, your dependents, or members of your household:" personal_identifiers: Personal identifiers such as name, addresses, phone numbers, and email addresses protected_classifications: Characteristics of protected classifications, such as gender, race, and ethnicity state_information: State-issued identification, such as driver’s license number @@ -6176,7 +6176,7 @@ en: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' + description_html: "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" header: Questions resolve: We will do our best to resolve the issue questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} @@ -6196,9 +6196,9 @@ en: title: SMS terms stimulus: facts_html: - - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! - - Check the status of your stimulus check on the IRS Get My Payment website - - 'Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639' + - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! + - Check the status of your stimulus check on the IRS Get My Payment website + - "Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639" file_with_help: header: Collect your 2020 stimulus check by filing your taxes today! heading: Need assistance getting your stimulus check? @@ -6207,117 +6207,117 @@ en: eip: header: Economic Impact Payment (stimulus) check FAQs items: - - title: Will the EIP check affect my other government benefits? - content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. - - title: I still need to file a tax return. How long are the economic impact payments available? - content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. - - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? - content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. - - title: What if I am overdrawn at my bank? - content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. - - title: What if someone offers a quicker payment? - content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. + - title: Will the EIP check affect my other government benefits? + content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. + - title: I still need to file a tax return. How long are the economic impact payments available? + content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. + - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? + content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. + - title: What if I am overdrawn at my bank? + content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. + - title: What if someone offers a quicker payment? + content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. how_to_get_paid: header: How to get paid items: - - title: How do I get my Economic Impact Payment check? - content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. - - title: How do I determine if the IRS has sent my stimulus check? - content_html: |- - If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS - Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must - view or create an online account with the IRS. - - title: What if there are issues with my bank account information? - content_html: |- - If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the - Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. - - title: What if I haven’t filed federal taxes? - content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. - - title: What if I don’t have a bank account? - content_html: |- - If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, - sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or - Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. - - title: What if I moved since last year? - content_html: |- - The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the - IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. + - title: How do I get my Economic Impact Payment check? + content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. + - title: How do I determine if the IRS has sent my stimulus check? + content_html: |- + If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS + Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must + view or create an online account with the IRS. + - title: What if there are issues with my bank account information? + content_html: |- + If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the + Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. + - title: What if I haven’t filed federal taxes? + content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. + - title: What if I don’t have a bank account? + content_html: |- + If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, + sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or + Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. + - title: What if I moved since last year? + content_html: |- + The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the + IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. header: Get your Stimulus Check (EIP) intro: common_questions: We know there are many questions around the Economic Impact Payments (EIP) and we have some answers! We’ve broken down some common questions to help you out. description: - - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. - - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. + - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. + - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. eligibility: header: Who is eligible? info: - - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. - - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. - - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. - - 'The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:' + - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. + - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. + - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. + - "The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:" info_last_html: - - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. - - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. + - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. + - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. list: - - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. - - You had a new baby in 2020. - - You could be claimed as someone else’s dependent in 2019, but not in 2020. - - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. + - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. + - You had a new baby in 2020. + - You could be claimed as someone else’s dependent in 2019, but not in 2020. + - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. irs_info_html: The IRS will post all key information on %{irs_eip_link} as soon as it becomes available. last_updated: Updated on April 6, 2021 mixed_status_eligibility: header: Are mixed immigration status families eligible? info_html: - - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. - - |- - For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the - form I-7 and required documentation with your tax return, or by bringing the form and documentation to a - Certified Acceptance Agent. + - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. + - |- + For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the + form I-7 and required documentation with your tax return, or by bringing the form and documentation to a + Certified Acceptance Agent. title: Stimulus Payment tax_questions: cannot_answer: different_services: Questions about taxes filed with a different service (H&R Block, TurboTax) - header: 'We can not answer:' + header: "We can not answer:" refund_amounts: The amount of refund you will receive header: Let's try to answer your tax questions! see_faq: Please see our FAQ @@ -6349,7 +6349,7 @@ en: title: Wow, it looks like we are at capacity right now. warning_html: "A friendly reminder that the filing deadline is %{tax_deadline}. We recommend filing as soon as possible." backtaxes: - select_all_that_apply: 'Select all the years you would like to file for:' + select_all_that_apply: "Select all the years you would like to file for:" title: Which of the following years would you like to file for? balance_payment: title: If you have a balance due, would you like to make a payment directly from your bank account? @@ -6584,7 +6584,7 @@ en: consent_to_disclose_html: Consent to Disclose: You allow us to send tax information to the tax software company and financial institution you specify (if any). consent_to_use_html: Consent to Use: You allow us to count your return in reports. global_carryforward_html: Global Carryforward: You allow us to make your tax return information available to other VITA programs you may visit. - help_text_html: 'We respect your privacy. You have the option to consent to the following:' + help_text_html: "We respect your privacy. You have the option to consent to the following:" legal_details_html: |

      Federal law requires these consent forms be provided to you. Unless authorized by law, we cannot disclose your tax return information to third parties for purposes other than the preparation and filing of your tax return without your consent. If you consent to the disclosure of your tax return information, Federal law may not protect your tax return information from further use or distribution.

      @@ -6713,7 +6713,7 @@ en: other: In %{year}, did you or your spouse pay any student loan interest? successfully_submitted: additional_text: Please save this number for your records and future reference. - client_id: 'Client ID number: %{client_id}' + client_id: "Client ID number: %{client_id}" next_steps: confirmation_message: You will receive a confirmation message shortly header: Next Steps @@ -6733,7 +6733,7 @@ en: one: Have you had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? other: Have you or your spouse had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? verification: - body: 'A message with your code has been sent to:' + body: "A message with your code has been sent to:" error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -6764,55 +6764,55 @@ en: consent_agreement: details: header: The Details - intro: 'This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review.' + intro: "This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review." sections: - - header: Overview - content: - - I understand that VITA is a free tax program that protects my civil rights. - - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. - - header: Securing Taxpayer Consent Agreement - content: - - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. - - header: Performing the Intake Process (Secure All Documents) - content: - - 'Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured.' - - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. - - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) - content: - - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. - - header: Performing the interview with the taxpayer(s) - content: - - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. - - header: Preparing the tax return - content: - - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. - - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. - - header: Performing the quality review - content: - - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. - - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. - - header: Sharing the completed return - content: - - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. - - header: Signing the return - content: - - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. - - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. - - header: E-filing the tax return - content: - - I understand that GetYourRefund will e-file my tax return with the IRS. - - header: Request to Review your Tax Return for Accuracy - content: - - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. - - header: Virtual Consent Disclosure - content: - - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. - - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. - - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. - - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. - - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. - - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. - - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. + - header: Overview + content: + - I understand that VITA is a free tax program that protects my civil rights. + - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. + - header: Securing Taxpayer Consent Agreement + content: + - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. + - header: Performing the Intake Process (Secure All Documents) + content: + - "Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured." + - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. + - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) + content: + - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. + - header: Performing the interview with the taxpayer(s) + content: + - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. + - header: Preparing the tax return + content: + - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. + - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. + - header: Performing the quality review + content: + - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. + - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. + - header: Sharing the completed return + content: + - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. + - header: Signing the return + content: + - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. + - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. + - header: E-filing the tax return + content: + - I understand that GetYourRefund will e-file my tax return with the IRS. + - header: Request to Review your Tax Return for Accuracy + content: + - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. + - header: Virtual Consent Disclosure + content: + - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. + - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. + - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. + - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. + - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. + - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. + - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. site_process_header: The GetYourRefund Site Process information_you_provide: You understand the information you provide this site (GetYourRefund.org) is sent to a Volunteer Income Tax Assistance (VITA) preparation site in order for an IRS-certified volunteer to review your information, conduct an intake interview on the phone, prepare the tax return, and perform a quality review before filing your taxes. proceed_and_confirm: By proceeding, you confirm that the following statements are true and complete to the best of your knowledge. @@ -6833,13 +6833,13 @@ en: grayscale_partner_logo: provider_homepage: "%{provider_name} Homepage" progress_bar: - progress_text: 'Intake progress:' + progress_text: "Intake progress:" service_comparison: additional_benefits: Additional benefits all_services: All services provide email support and are available in English and Spanish. chat_support: Chat support filing_years: - title: 'Filing years:' + title: "Filing years:" id_documents: diy: ID numbers full_service: Photo @@ -6850,7 +6850,7 @@ en: direct_file: Most filers under $200,000 diy: under $84,000 full_service: under $67,000 - title: 'Income guidance:' + title: "Income guidance:" itin_assistance: ITIN application assistance mobile_friendly: Mobile-friendly required_information: Required information @@ -6886,7 +6886,7 @@ en: diy: 45 minutes full_service: 2-3 weeks subtitle: IRS payment processing times vary 3-6 weeks - title: 'Length of time to file:' + title: "Length of time to file:" title_html: Free tax filing for households that qualify.
      Find the tax service that’s right for you! triage_link_text: Answer a few simple questions and we'll recommend the right service for you! vita: IRS-certified VITA tax team diff --git a/config/locales/es.yml b/config/locales/es.yml index 1a6d6f884f..cb0c62ab1e 100644 --- a/config/locales/es.yml +++ b/config/locales/es.yml @@ -2286,10 +2286,7 @@ es: why_are_you_asking: "¿Por qué estamos pidiéndote esta información?" az_prior_last_names: edit: - prior_last_names_label: - many: Ingresa todos los apellidos utilizados por usted y su cónyuge en los últimos cuatro años. - one: 'Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)' - other: Ingresa todos los apellidos que usaste en los últimos cuatro años. + prior_last_names_label: 'Ingresa todos los apellidos que usaste en los últimos cuatro años. (Ejemplo: Smith, Jones, Brown)' subtitle: Esto incluye los años fiscales del %{start_year} al %{end_year} title: one: "¿Declaraste con un apellido diferente en los últimos cuatro años?" From dec36a13a9b5cfb8bce3824ec5c2b9680b7af2bd Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 12:54:39 -0500 Subject: [PATCH 12/18] Normalize translations Co-authored-by: Hugo Melo --- config/locales/en.yml | 1 - config/locales/es.yml | 11 ----------- 2 files changed, 12 deletions(-) diff --git a/config/locales/en.yml b/config/locales/en.yml index 187a1f73c6..982611e2ed 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -785,7 +785,6 @@ en: provided_over_half_own_support: Did this person provide more than 50% of his/ her own support? receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail - refund_other: Other refund_payment_method: "If you are due a refund, would you like:" refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts diff --git a/config/locales/es.yml b/config/locales/es.yml index cb0c62ab1e..9dc609a5ed 100644 --- a/config/locales/es.yml +++ b/config/locales/es.yml @@ -793,7 +793,6 @@ es: provided_over_half_own_support: "¿Aportó esta persona más del 50% de su propia manutención?" receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail - refund_other: Other refund_payment_method: 'If you are due a refund, would you like:' refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts @@ -1609,16 +1608,6 @@ es: email: body: "Hola %{primary_first_name},\n\nLamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Rechazada. Acción Necesaria.' - sms: | - Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó su declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarle a solucionarlo y volver a enviarlo en %{return_status_link}. - - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. - - ¿Necesitas ayuda? Responde a este correo electrónico. - - Atentamente, - El equipo de FileYourStateTaxes - subject: 'Acción necesaria: La declaración de Impuestos Estatales de %{state_name} fue rechazada.' sms: | Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. From ffde4d6724e331570fe7c22fd766f73c0b163a5a Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 14:45:14 -0500 Subject: [PATCH 13/18] Normalize translations Co-authored-by: Hugo Melo --- config/locales/en.yml | 1240 ++++++++++++++++++++--------------------- 1 file changed, 619 insertions(+), 621 deletions(-) diff --git a/config/locales/en.yml b/config/locales/en.yml index 982611e2ed..47d5fbd059 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -102,8 +102,8 @@ en: file_yourself: edit: info: - - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! - - To get started, we’ll need to collect some basic information. + - File taxes online on your own using our partner website. This is our quickest option for households earning under $84,000 to file taxes and collect the tax credits you are owed! + - To get started, we’ll need to collect some basic information. title: File taxes on your own documents: documents_help: @@ -192,7 +192,7 @@ en: too_short: The password must be a minimum %{count} characters. payer_name: blank: Please enter a valid name. - invalid: "Only letters, numbers, parentheses, apostrophe, and # are accepted." + invalid: 'Only letters, numbers, parentheses, apostrophe, and # are accepted.' payer_tin: invalid: EIN must be a 9-digit number. Do not include a dash. payer_tin_ny_invalid: The number entered is not an accepted TIN by New York State. @@ -252,11 +252,11 @@ en: contact_method_required: "%{attribute} is required if opting into notifications" invalid_tax_status: The provided tax status is not valid. mailing_address: - city: "Error: Invalid City" - invalid: "Error: Invalid Address." - multiple: "Error: Multiple addresses were found for the information you entered, and no default exists." - not_found: "Error: Address Not Found." - state: "Error: Invalid State Code" + city: 'Error: Invalid City' + invalid: 'Error: Invalid Address.' + multiple: 'Error: Multiple addresses were found for the information you entered, and no default exists.' + not_found: 'Error: Address Not Found.' + state: 'Error: Invalid State Code' md_county: residence_county: presence: Please select a county @@ -276,7 +276,7 @@ en: must_equal_100: Routing percentages must total 100%. status_must_change: Can't initiate status change to current status. tax_return_belongs_to_client: Can't update tax return unrelated to current client. - tax_returns: "Please provide all required fields for tax returns: %{attrs}." + tax_returns: 'Please provide all required fields for tax returns: %{attrs}.' tax_returns_attributes: certification_level: certification level is_hsa: is HSA @@ -295,7 +295,7 @@ en: address: Address admin: Admin admin_controls: Admin Controls - affirmative: "Yes" + affirmative: 'Yes' all_organizations: All organizations and: and assign: Assign @@ -506,7 +506,7 @@ en: my_account: My account my_profile: My profile name: Name - negative: "No" + negative: 'No' new: New new_unique_link: Additional unique link nj_staff: New Jersey Staff @@ -628,7 +628,7 @@ en: very_well: Very well visit_free_file: Visit IRS Free File visit_stimulus_faq: Visit Stimulus FAQ - vita_long: "VITA: Volunteer Income Tax Assistance" + vita_long: 'VITA: Volunteer Income Tax Assistance' well: Well widowed: Widowed written_language_options: @@ -709,17 +709,17 @@ en: new_status: New Status remove_assignee: Remove assignee selected_action_and_tax_return_count_html: - one: "You’ve selected Change Assignee and/or Status for %{count} return with the following status:" - other: "You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:" + one: 'You’ve selected Change Assignee and/or Status for %{count} return with the following status:' + other: 'You’ve selected Change Assignee and/or Status for %{count} returns with the following statuses:' title: Bulk Action change_organization: edit: by_clicking_submit: By clicking submit, you are changing the organization, sending a team note, and updating followers. - help_text_html: "Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned." + help_text_html: 'Note: All returns for these clients will be reassigned to the selected new organization.
      Changing the organization may cause assigned hub users to lose access and be unassigned.' new_organization: New organization selected_action_and_client_count_html: - one: "You’ve selected Change Organization for %{count} client in the current organization:" - other: "You’ve selected Change Organization for %{count} clients in the current organizations:" + one: 'You’ve selected Change Organization for %{count} client in the current organization:' + other: 'You’ve selected Change Organization for %{count} clients in the current organizations:' title: Bulk Action send_a_message: edit: @@ -776,7 +776,7 @@ en: middle_initial: M.I. months_in_home: "# of mos. lived in home last year:" never_married: Never Married - north_american_resident: "Resident of US, CAN or MEX last year:" + north_american_resident: 'Resident of US, CAN or MEX last year:' owner_or_holder_of_any_digital_assets: Owner or holder of any digital assets pay_due_balance_directly: If they have a balance due, would they like to make a payment directly from their bank account? preferred_written_language: If yes, which language? @@ -785,7 +785,7 @@ en: provided_over_half_own_support: Did this person provide more than 50% of his/ her own support? receive_written_communication: Receive written communications from the IRS in a language other than English? refund_check_by_mail: Check by mail - refund_payment_method: "If you are due a refund, would you like:" + refund_payment_method: 'If you are due a refund, would you like:' refund_payment_method_direct_deposit: Direct Deposit refund_payment_method_split: Split refund between different accounts register_to_vote: Would you like information on how to vote and/or how to register to vote @@ -797,8 +797,8 @@ en: was_full_time_student: Full Time Student was_married: Single or Married as of 12/31/2024 was_student: Full-time Student last year - last_year_was_your_spouse: "Last year, was your spouse:" - last_year_were_you: "Last year, were you:" + last_year_was_your_spouse: 'Last year, was your spouse:' + last_year_were_you: 'Last year, were you:' title: 13614-C page 1 what_was_your_marital_status: As of December 31, %{current_tax_year}, what was your marital status? edit_13614c_form_page2: @@ -806,9 +806,9 @@ en: had_asset_sale_income: Income (or loss) from the sale or exchange of Stocks, Bonds, Virtual Currency or Real Estate? had_disability_income: Disability income? had_gambling_income: Gambling winnings, including lottery - had_interest_income: "Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?" + had_interest_income: 'Interest/Dividends from: checking/savings accounts, bonds, CDs, brokerage?' had_local_tax_refund: Refund of state or local income tax - had_other_income: "Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)" + had_other_income: 'Any other money received during the year? (example: cash payments, jury duty, awards, digital assets, royalties, union strike benefits)' had_rental_income: Income (or loss) from Rental Property? had_rental_income_and_used_dwelling_as_residence: If yes, did you use the dwelling unit as a personal residence and rent it for fewer than 15 days had_rental_income_from_personal_property: Income from renting personal property such as a vehicle @@ -896,7 +896,7 @@ en: client_id_heading: Client ID client_info: Client Info created_at: Created at - excludes_statuses: "excludes: %{statuses}" + excludes_statuses: 'excludes: %{statuses}' filing_year: Filing Year filter: Filter results filters: Filters @@ -925,7 +925,7 @@ en: title: Add a new client organizations: edit: - warning_text_1: "Note: All returns on this client will be assigned to the new organization." + warning_text_1: 'Note: All returns on this client will be assigned to the new organization.' warning_text_2: Changing the organization may cause assigned hub users to lose access and be unassigned. show: basic_info: Basic Info @@ -958,7 +958,7 @@ en: email: sent email internal_note: added internal note status: updated status - success: "Success: Action taken! %{action_list}." + success: 'Success: Action taken! %{action_list}.' text_message: sent text message coalitions: edit: @@ -978,7 +978,7 @@ en: client_id: Client ID client_name: Client Name no_clients: No clients to display at the moment - title: "Action Required: Flagged Clients" + title: 'Action Required: Flagged Clients' updated: Updated At approaching: Approaching capacity: Capacity @@ -1027,7 +1027,7 @@ en: has_duplicates: Potential duplicates detected has_previous_year_intakes: Previous year intake(s) itin_applicant: ITIN applicant - last_client_update: "Last client update: " + last_client_update: 'Last client update: ' last_contact: Last contact messages: automated: Automated @@ -1061,14 +1061,14 @@ en: label: Add a note submit: Save outbound_call_synthetic_note: Called by %{user_name}. Call was %{status} and lasted %{duration}. - outbound_call_synthetic_note_body: "Call notes:" + outbound_call_synthetic_note_body: 'Call notes:' organizations: activated_all: success: Successfully activated %{count} users form: active_clients: active clients allows_greeters: Allows Greeters - excludes: "excludes statuses: Accepted, Not filing, On hold" + excludes: 'excludes statuses: Accepted, Not filing, On hold' index: add_coalition: Add new coalition add_organization: Add new organization @@ -1089,8 +1089,8 @@ en: client_phone_number: Client phone number notice_html: Expect a call from %{receiving_number} when you press 'Call'. notice_list: - - Your phone number will remain private -- it is not accessible to the client. - - We'll always call from this number -- consider adding it to your contacts. + - Your phone number will remain private -- it is not accessible to the client. + - We'll always call from this number -- consider adding it to your contacts. title: Call client your_phone_number: Your phone number show: @@ -1278,8 +1278,8 @@ en: send_a_message_description_html: Send a message to these %{count} clients. title: Choose your bulk action page_title: - one: "Client selection #%{id} (%{count} result)" - other: "Client selection #%{id} (%{count} results)" + one: 'Client selection #%{id} (%{count} result)' + other: 'Client selection #%{id} (%{count} results)' tax_returns: count: one: "%{count} tax return" @@ -1291,7 +1291,7 @@ en: new: assigned_user: Assigned user (optional) certification_level: Certification level (optional) - current_years: "Current Tax Years:" + current_years: 'Current Tax Years:' no_remaining_years: There are no remaining tax years for which to create a return. tax_year: Tax year title: Add tax year for %{name} @@ -1471,7 +1471,7 @@ en: We're here to help! Your Tax Team at GetYourRefund - subject: "GetYourRefund: You have a submission in progress" + subject: 'GetYourRefund: You have a submission in progress' sms: body: Hello <>, you haven't completed providing the information we need to prepare your taxes at GetYourRefund. Continue where you left off here <>. Your Client ID is <>. If you have any questions, please reply to this message. intercom_forwarding: @@ -1533,7 +1533,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! Make sure to pay your state taxes by April 15 at %{state_pay_taxes_link} if you have not paid via direct deposit or check. \n\nDownload your return at %{return_status_link}\n\nQuestions? Email us at help@fileyourstatetaxes.org.\n" accepted_refund: email: @@ -1546,7 +1546,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Accepted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! You can expect to receive your refund as soon as %{state_name} approves your refund amount. \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: @@ -1556,7 +1556,7 @@ en: To continue filing your state tax return, please create a new account with FileYourStateTaxes by visiting: https://www.fileyourstatetaxes.org/en/%{state_code}/landing-page Need help? Email us at help@fileyourstatetaxes.org or chat with us on FileYourStateTaxes.org - subject: "FileYourStateTaxes: Regarding your %{state_name} tax return data import" + subject: 'FileYourStateTaxes: Regarding your %{state_name} tax return data import' sms: | Hello, you may have experienced an issue transferring your federal return data from IRS Direct File. This issue is now resolved. @@ -1606,7 +1606,7 @@ en: Best, The FileYourStateTaxes team - subject: "Final Reminder: FileYourStateTaxes closes April 25." + subject: 'Final Reminder: FileYourStateTaxes closes April 25.' sms: | Hi %{primary_first_name} - You haven't submitted your state tax return yet. Make sure to submit your state taxes as soon as possible to avoid late filing fees. Go to fileyourstatetaxes.org/en/login-options to finish them now. Need help? Email us at help@fileyourstatetaxes.org. @@ -1656,7 +1656,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed' sms: | Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return. Don't worry! We can help you fix and resubmit it at %{return_status_link}. @@ -1672,7 +1672,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected" + subject: 'FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected' sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Questions? Email us at help@fileyourstatetaxes.org. successful_submission: email: @@ -1688,7 +1688,7 @@ en: Best, The FileYourStateTaxes team resubmitted: resubmitted - subject: "FileYourStateTaxes Update: %{state_name} State Return Submitted" + subject: 'FileYourStateTaxes Update: %{state_name} State Return Submitted' submitted: submitted sms: Hi %{primary_first_name} - You successfully %{submitted_or_resubmitted} your %{state_name} state tax return! We'll update you in 1-2 days on the status of your return. You can download your return and check the status at %{return_status_link}. Need help? Email us at help@fileyourstatetaxes.org. survey_notification: @@ -1703,7 +1703,7 @@ en: Best, The FileYourStateTaxes team subject: Your feedback on FileYourStateTaxes - sms: "Hi %{primary_first_name} - Thank you for submitting your taxes with FileYourStateTaxes! We would love feedback on your experience so we can improve! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" + sms: 'Hi %{primary_first_name} - Thank you for submitting your taxes with FileYourStateTaxes! We would love feedback on your experience so we can improve! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' terminal_rejected: email: body: | @@ -1715,7 +1715,7 @@ en: Best, The FileYourStateTaxes team - subject: "FileYourStateTaxes Update: %{state_name} State Return Rejected." + subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected.' sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our tool. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nQuestions? Reply to this text.\n" welcome: email: @@ -1767,8 +1767,8 @@ en: We’re here to help! Your tax team at GetYourRefund - subject: "GetYourRefund: You have successfully submitted your tax information!" - sms: "Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message." + subject: 'GetYourRefund: You have successfully submitted your tax information!' + sms: 'Hello <>, Your tax information was successfully submitted to GetYourRefund. Your client ID is <>. Your tax specialist will review your information and reach out and schedule a required phone call before preparing your taxes. In order to file by the deadline, we need all required documents by %{end_of_docs_date}. Check your progress and add additional documents here: <>. If you have any questions, please reply to this message.' surveys: completion: email: @@ -1779,7 +1779,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Thank you for choosing GetYourRefund! - sms: "Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" + sms: 'Thank you for choosing GetYourRefund! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' ctc_experience: email: body: | @@ -1791,7 +1791,7 @@ en: Take our 5 minute survey here: %{survey_link} subject: Your feedback on GetCTC - sms: "Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}" + sms: 'Thank you for submitting your taxes with GetCTC! We would love feedback on your experience so we can improve this service! Could you tell us about how it went? Take our 5 minute survey here: %{survey_link}' unmonitored_replies: email: body: Replies not monitored. Write %{support_email} for assistance. To check on your refund status, go to Where's My Refund? To access your tax record, get your transcript. @@ -1816,8 +1816,8 @@ en: Thank you for creating an account with GetYourRefund! Your Client ID is <>. This is an important piece of account information that can assist you when talking to our chat representatives and when logging into your account. Please keep track of this number and do not delete this message. You can check your progress and add additional documents here: <> - subject: "Welcome to GetYourRefund: Client ID" - sms: "Hello <>, You've signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message." + subject: 'Welcome to GetYourRefund: Client ID' + sms: 'Hello <>, You''ve signed up with GetYourRefund. IMPORTANT: Your Client ID is <>. Please keep track of this number and do not delete this message. If you have any questions, please reply to this message.' models: intake: your_spouse: Your spouse @@ -1852,7 +1852,7 @@ en: last_four_or_client_id: Client ID or Last 4 of SSN/ITIN title: Authentication needed to continue. enter_verification_code: - code_sent_to_html: "A message with your code has been sent to: %{address}" + code_sent_to_html: 'A message with your code has been sent to: %{address}' enter_6_digit_code: Enter 6 digit code title: Let’s verify that code! verify: Verify @@ -1861,7 +1861,7 @@ en: bad_input: Incorrect client ID or last 4 of SSN/ITIN. After 5 failed attempts, accounts are locked. bad_verification_code: Incorrect verification code. After 5 failed attempts, accounts are locked. new: - one_form_of_contact: "Please enter one form of contact below:" + one_form_of_contact: 'Please enter one form of contact below:' send_code: Send code title: We’ll send you a secure code to sign in closed_logins: @@ -1884,7 +1884,7 @@ en: add_signature_primary: Please add your final signature to your tax return add_signature_spouse: Please add your spouse's final signature to your tax return finish_intake: Please answer remaining tax questions to continue. - client_id: "Client ID: %{id}" + client_id: 'Client ID: %{id}' document_link: add_final_signature: Add final signature add_missing_documents: Add missing documents @@ -1897,7 +1897,7 @@ en: view_w7: View or download form W-7 view_w7_coa: View or download form W-7 (COA) help_text: - file_accepted: "Completed: %{date}" + file_accepted: 'Completed: %{date}' file_hold: Your return is on hold. Your tax preparer will reach out with an update. file_not_filing: This return is not being filed. Contact your tax preparer with any questions. file_rejected: Your return has been rejected. Contact your tax preparer with any questions. @@ -1912,7 +1912,7 @@ en: review_reviewing: Your return is being reviewed. review_signature_requested_primary: We are waiting for a final signature from you. review_signature_requested_spouse: We are waiting for a final signature from your spouse. - subtitle: "Here is a snapshot of your taxes:" + subtitle: 'Here is a snapshot of your taxes:' tax_return_heading: "%{year} return" title: Welcome back %{name}! still_needs_helps: @@ -1981,7 +1981,7 @@ en: description: File quickly on your own. list: file: File for %{current_tax_year} only - income: "Income: under $84,000" + income: 'Income: under $84,000' timeframe: 45 minutes to file title: File Myself gyr_tile: @@ -1989,7 +1989,7 @@ en: description: File confidently with assistance from our IRS-certified volunteers. list: file: File for %{oldest_filing_year}-%{current_tax_year} - income: "Income: under $67,000" + income: 'Income: under $67,000' ssn: Must show copies of your Social Security card or ITIN paperwork timeframe: 2-3 weeks to file title: File with Help @@ -2048,17 +2048,17 @@ en: zero: "$0" title: Tell us about your filing status and income. vita_income_ineligible: - label: "Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?" + label: 'Did you earn income from a rental property (ex: home or car), a farm, or cryptocurrency?' signups: flash_notice: Thank you! You will receive a notification when we open. new: banner: New intakes for GetYourRefund have closed for 2023. Please come back in January to file next year. header: We'd love to work with you next year to help you file your taxes for free! opt_in_message: - 01_intro: "Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:" + 01_intro: 'Note: Providing your phone number means you have opted in to the following in order to use the GetYourRefund service:' 02_list: - - Receiving a GetYourRefund Verification Code - - Tax return notifications + - Receiving a GetYourRefund Verification Code + - Tax return notifications 03_message_freq: Message frequency will vary. Standard message rates apply. Text HELP to 11111 for help. Text STOP to 11111 to cancel. Carriers (e.g. AT&T, Verizon, etc.) are not responsible or liable for undelivered or delayed messages. 04_detail_links_html: See our Terms and Conditions and Privacy Policy. subheader: Please sign up here to receive a notification when we open in January. @@ -2076,7 +2076,7 @@ en: mailing_address_validation: edit: identity_safe: To keep your identity safe, we need to confirm the address on your 2023 tax return. - radio_button_title: "Select the mailing address for your 2023 tax return:" + radio_button_title: 'Select the mailing address for your 2023 tax return:' title: Confirm your address to access your tax return pdfs: index: @@ -2255,7 +2255,7 @@ en:
    • Bank routing and account numbers (if you want to receive your refund or make a tax payment electronically)
    • (optional) Driver's license or state issued ID
    - help_text_title: "What you’ll need:" + help_text_title: 'What you’ll need:' supported_by: Supported by the New Jersey Division of Taxation title: File your New Jersey taxes for free not_you: Not %{user_name}? @@ -2282,7 +2282,7 @@ en: section_4: Transfer your data section_5: Complete your state tax return section_6: Submit your state taxes - step_description: "Section %{current_step} of %{total_steps}: " + step_description: 'Section %{current_step} of %{total_steps}: ' notification_mailer: user_message: unsubscribe: To unsubscribe from emails, click here. @@ -2323,7 +2323,7 @@ en: why_are_you_asking: Why are you asking for this information? az_prior_last_names: edit: - prior_last_names_label: "Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)" + prior_last_names_label: 'Enter all last names used in the last four years. (Ex: Smith, Jones, Brown)' subtitle: This includes tax years %{start_year}-%{end_year}. title: one: Did you file with a different last name in the last four years? @@ -2354,11 +2354,11 @@ en: other: Did you or your spouse pay any fees or make any qualified cash donation to an Arizona public school in %{year}? more_details_html: Visit the Arizona Department of Revenue Guide for more details. qualifying_list: - - Extracurricular Activities - - Character Education - - Standardized Testing and Fees - - Career and Technical Education Assessment - - CPR Training + - Extracurricular Activities + - Character Education + - Standardized Testing and Fees + - Career and Technical Education Assessment + - CPR Training school_details_answer_html: | You can find this information on the receipt you received from the school.

    @@ -2373,7 +2373,7 @@ en: add_another: Add another donation delete_confirmation: Are you sure you want to delete this contribution? maximum_records: You have provided the maximum amount of records. - title: "Here are the public school donations/fees you added:" + title: 'Here are the public school donations/fees you added:' az_qualifying_organization_contributions: destroy: removed: Removed AZ 321 for %{charity_name} @@ -2401,20 +2401,20 @@ en: edit: federal: Federal federal_bullet_points: - - US Government Service Retirement and Disability Fund - - US Foreign Service Retirement and Disability System - - Other federal retirement systems or plans established by federal law + - US Government Service Retirement and Disability Fund + - US Foreign Service Retirement and Disability System + - Other federal retirement systems or plans established by federal law pension_plan: Qualifying federal, Arizona, or government pension plan state_local: State/local state_local_bullet_points: - - Arizona State Retirement System - - Arizona State Retirement Plan - - Corrections Officer Retirement Plan - - Public Safety Personnel Retirement System - - Elected Officials Retirement Plan - - Retirement program established by the Arizona Board of Regents - - Retirement program established by Arizona community college district - - Retirement plan established for employees of a county, city, or town in Arizona + - Arizona State Retirement System + - Arizona State Retirement Plan + - Corrections Officer Retirement Plan + - Public Safety Personnel Retirement System + - Elected Officials Retirement Plan + - Retirement program established by the Arizona Board of Regents + - Retirement program established by Arizona community college district + - Retirement plan established for employees of a county, city, or town in Arizona subtitle: To see if you qualify, we need more information from your 1099-R uniformed_services: Retired or retainer pay of the uniformed services of the United States which_pensions: Which government pensions qualify? @@ -2544,7 +2544,7 @@ en: other_credits_529_html: Arizona 529 plan contributions deduction other_credits_add_dependents: Adding dependents not claimed on the federal return other_credits_change_filing_status: Change in filing status from federal to state return - other_credits_heading: "Other credits and deductions not supported this year:" + other_credits_heading: 'Other credits and deductions not supported this year:' other_credits_itemized_deductions: Itemized deductions property_tax_credit_age: Be 65 or older; or receive Supplemental Security Income property_tax_credit_heading_html: 'Property Tax Credit. To qualify for this credit you must:' @@ -2581,7 +2581,7 @@ en: itemized_deductions: Itemized deductions long_term_care_insurance_subtraction: Long-term Care Insurance Subtraction maintaining_elderly_disabled_credit: Credit for Maintaining a Home for the Elderly or Disabled - not_supported_this_year: "Credits and deductions not supported this year:" + not_supported_this_year: 'Credits and deductions not supported this year:' id_supported: child_care_deduction: Idaho Child and Dependent Care Subtraction health_insurance_premiums_subtraction: Health Insurance Premiums subtraction @@ -2674,8 +2674,8 @@ en: title2: What scenarios for claiming the Maryland Earned Income Tax Credit and/or Child Tax Credit aren't supported by this service? title3: What if I have a situation not yet supported by FileYourStateTaxes? md_supported: - heading1: "Subtractions:" - heading2: "Credits:" + heading1: 'Subtractions:' + heading2: 'Credits:' sub1: Subtraction for Child and Dependent Care Expenses sub10: Senior Tax Credit sub11: State and local Poverty Level Credits @@ -2710,7 +2710,7 @@ en:
  • Filing your federal and state tax returns using different filing statuses (for example you filed as Married Filing Jointly on your federal tax return and want to file Married Filing Separately on your state tax return)
  • Adding or removing dependents claimed on your federal return for purposes of your state return
  • Applying a portion of your 2024 refund toward your 2025 estimated taxes
  • - also_unsupported_title: "We also do not support:" + also_unsupported_title: 'We also do not support:' unsupported_html: |
  • Subtraction for meals, lodging, moving expenses, other reimbursed business expenses, or compensation for injuries or sickness reported as wages on your W-2
  • Subtraction for alimony payments you made
  • @@ -2739,7 +2739,7 @@ en: nys_child_dependent_care_credit: NYS Child and Dependent Care Credit other_credits_change_filing_status: Change in filing status from federal to state other_credits_est_tax_etc: Estimated tax, extension payments, and prior year credit forward - other_credits_heading: "Other credits, deductions and resources not supported this year:" + other_credits_heading: 'Other credits, deductions and resources not supported this year:' other_credits_itemized_deductions: Itemized deductions real_property_tax_credit: Real Property Tax Credit subtractions_225_heading_html: 'All NY subtractions claimed on IT-225 including:' @@ -2778,7 +2778,7 @@ en: fees: Fees may apply. learn_more_here_html: Learn more here. list: - body: "Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:" + body: 'Many commercial tax preparation services offer state-only tax filing. Here are some quick tips:' list1: Confirm that the service lets you file just your state return. You might need to check with customer support. list2: Be ready to reenter info from your federal return, as it's needed for your state return. list3: When filing, only submit your state return. If you submit your federal return again, your federal return may be rejected. @@ -2957,7 +2957,7 @@ en: see_if_you_qualify: one: To see if you qualify, we need more information about you. other: To see if you qualify, we need more information about you and your household. - select_household_members: "Select the members of the household any of these situations applied to in %{tax_year}:" + select_household_members: 'Select the members of the household any of these situations applied to in %{tax_year}:' situation_incarceration: were incarcerated situation_snap: received food stamps / SNAP-EBT situation_undocumented: lived in the US undocumented @@ -2971,7 +2971,7 @@ en: why_are_you_asking_li1: Received food stamps why_are_you_asking_li2: Were incarcerated why_are_you_asking_li3: Lived in the U.S. undocumented - why_are_you_asking_p1: "Certain restrictions apply to this monthly credit. A person will not qualify for the months they:" + why_are_you_asking_p1: 'Certain restrictions apply to this monthly credit. A person will not qualify for the months they:' why_are_you_asking_p2: The credit amount is reduced for each month they experience any of these situations. why_are_you_asking_p3: The answers are only used to calculate the credit amount and will remain confidential. you_example_months: For example, if you had 2 situations in April, that counts as 1 month. @@ -3108,10 +3108,10 @@ en: county_html: "County" political_subdivision: Political Subdivision political_subdivision_helper_areas: - - "Counties: The 23 counties and Baltimore City." - - "Municipalities: Towns and cities within the counties." - - "Special taxing districts: Areas with specific tax rules for local services." - - "All other areas: Regions that do not have their own municipal government and are governed at the county level." + - 'Counties: The 23 counties and Baltimore City.' + - 'Municipalities: Towns and cities within the counties.' + - 'Special taxing districts: Areas with specific tax rules for local services.' + - 'All other areas: Regions that do not have their own municipal government and are governed at the county level.' political_subdivision_helper_first_p: 'A "political subdivision" is a specific area within Maryland that has its own local government. This includes:' political_subdivision_helper_heading: What is a political subdivision? political_subdivision_helper_last_p: Select the political subdivision where you lived on December 31, %{filing_year} to make sure your tax filing is correct. @@ -3136,15 +3136,15 @@ en: authorize_follow_up: If yes, the Comptroller’s Office will share your information and the email address on file with Maryland Health Connection. authorize_share_health_information: Do you authorize the Comptroller of Maryland to share information from this tax return with Maryland Health Connection for the purpose of determining pre-eligibility for no-cost or low-cost health care coverage? authorize_to_share_info: - - Name, SSN/ITIN, and date of birth of each individual identified on your return - - Your current mailing address, email address, and phone number - - Filing status reported on your return - - Total number of individuals in your household included in your return - - Insured/ uninsured status of each individual included in your return - - Blindness status - - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return - - Your federal adjusted gross income amount from Line 1 - following_will_be_shared: "If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):" + - Name, SSN/ITIN, and date of birth of each individual identified on your return + - Your current mailing address, email address, and phone number + - Filing status reported on your return + - Total number of individuals in your household included in your return + - Insured/ uninsured status of each individual included in your return + - Blindness status + - Relationship (self, spouse, or dependent) to the primary taxpayer for each individual included in your return + - Your federal adjusted gross income amount from Line 1 + following_will_be_shared: 'If you authorize information sharing, we will share the following information with Maryland Health Connection (MHC):' information_use: Information shared with MHC will be used to determine eligibility for insurance affordability programs or to assist with enrollment in health coverage. more_info: If you would like more information about the health insurance affordability programs or health care coverage enrollment, visit Maryland Health Connection at marylandhealthconnection.gov/easyenrollment/. no_insurance_question: Did any member of your household included in this return not have health care coverage during the year? @@ -3189,7 +3189,7 @@ en: doc_1099r_label: 1099-R income_source_other: Other retirement income (for example, a Keogh Plan, also known as an HR-10) (less common) income_source_pension_annuity_endowment: A pension, annuity, or endowment from an "employee retirement system" (more common) - income_source_question: "Select the source of this income:" + income_source_question: 'Select the source of this income:' military_service_reveal_header: What military service qualifies? military_service_reveal_html: |

    To qualify, you must have been:

    @@ -3223,7 +3223,7 @@ en: service_type_military: Your service in the military or military death benefits received on behalf of a spouse or ex-spouse service_type_none: None of these apply service_type_public_safety: Your service as a public safety employee - service_type_question: "Did this income come from:" + service_type_question: 'Did this income come from:' subtitle: We need more information about this 1099-R to file your state tax return and check your eligibility for subtractions. taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3309,31 +3309,31 @@ en: title: It looks like your filing status is Qualifying Surviving Spouse nc_retirement_income_subtraction: edit: - bailey_description: "The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can't be taxed in North Carolina. These plans include:" + bailey_description: 'The Bailey Settlement is a decision by the North Carolina Supreme Court. It says that some retirement plans can''t be taxed in North Carolina. These plans include:' bailey_more_info_html: Visit the North Carolina Department of Revenue for more information. bailey_reveal_bullets: - - North Carolina Teachers’ and State Employees’ Retirement System - - North Carolina Local Governmental Employees’ Retirement System - - North Carolina Consolidated Judicial Retirement System - - Federal Employees’ Retirement System - - United States Civil Service Retirement System + - North Carolina Teachers’ and State Employees’ Retirement System + - North Carolina Local Governmental Employees’ Retirement System + - North Carolina Consolidated Judicial Retirement System + - Federal Employees’ Retirement System + - United States Civil Service Retirement System bailey_settlement_at_least_five_years: Did you or your spouse have at least five years of creditable service by August 12, 1989? bailey_settlement_checkboxes: Check all the boxes about the Bailey Settlement that apply to you or your spouse. bailey_settlement_from_retirement_plan: Did you or your spouse receive retirement benefits from NC's 401(k) or 457 plan, and were you contracted to OR contributed to the plan before August 12, 1989? doc_1099r_label: 1099-R income_source_bailey_settlement_html: Retirement benefits as part of Bailey Settlement - income_source_question: "Select the source of this income:" + income_source_question: 'Select the source of this income:' other: None of these apply subtitle: We need more information about this 1099-R to check your eligibility. - taxable_amount_label: "Taxable amount:" + taxable_amount_label: 'Taxable amount:' taxpayer_name_label: Taxpayer name title: You might be eligible for a North Carolina retirement income deduction! uniformed_services_bullets: - - The Armed Forces - - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) - - The commissioned corps of the United States Public Health Services (USPHS) + - The Armed Forces + - The commissioned corps of the National Oceanic and Atmospheric Administration (NOAA) + - The commissioned corps of the United States Public Health Services (USPHS) uniformed_services_checkboxes: Check all the boxes about the Uniformed Services that apply to you or your spouse. - uniformed_services_description: "Uniformed Services are groups of people in military and related roles. These include:" + uniformed_services_description: 'Uniformed Services are groups of people in military and related roles. These include:' uniformed_services_html: Retirement benefits from the Uniformed Services uniformed_services_more_info_html: You can read more details about the uniformed services here. uniformed_services_qualifying_plan: Were these payments from a qualifying Survivor Benefit Plan to a beneficiary of a retired member who served at least 20 years or who was medically retired from the Uniformed Services? @@ -3368,7 +3368,7 @@ en: edit: calculated_use_tax: Enter calculated use tax explanation_html: If you made any purchases without paying sales tax, you may owe use tax on those purchases. We’ll help you figure out the right amount. - select_one: "Select one of the following:" + select_one: 'Select one of the following:' state_specific: nc: manual_instructions_html: (Learn more here and search for 'consumer use worksheet'). @@ -3379,7 +3379,7 @@ en: use_tax_method_automated: I did not keep a complete record of all purchases. Calculate the amount of use tax for me. use_tax_method_manual: I kept a complete record of all purchases and will calculate my use tax manually. what_are_sales_taxes: What are sales taxes? - what_are_sales_taxes_body: "Sales Tax: This is a tax collected at the point of sale when you buy goods within your state." + what_are_sales_taxes_body: 'Sales Tax: This is a tax collected at the point of sale when you buy goods within your state.' what_are_use_taxes: What are use taxes? what_are_use_taxes_body: If you buy something from another state (like online shopping or purchases from a store located in another state) and you don’t pay sales tax on it, you are generally required to pay use tax to your home state. nc_spouse_state_id: @@ -3403,10 +3403,10 @@ en: account_type: label: Bank Account Type after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: "Please provide your bank account details:" + bank_title: 'Please provide your bank account details:' confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" + date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' foreign_accounts_owed: International ACH payments are not allowed. foreign_accounts_refund: International ACH direct deposit refunds are not allowed. routing_number: Routing Number @@ -3446,7 +3446,7 @@ en: filer_pays_tuition_books: I (or my spouse, if I am filing jointly) pay for at least half of %{dependent_first}'s tuition and college costs. full_time_college_helper_description: '"Full time" is whatever the college considers to be full-time. This can be found on the 1098 T tuition statement.' full_time_college_helper_heading: What counts as "attending college full time"? - reminder: "Reminder: please check the relevant boxes below for each dependent, if any apply." + reminder: 'Reminder: please check the relevant boxes below for each dependent, if any apply.' subtitle_html: "

    You can only claim this for dependents listed on your return.

    \n

    Please check the relevant boxes below under each dependent, if any apply.

    \n

    We will then claim a $1,000 exemption for each dependent student who qualifies.

    \n" title: You may qualify for tax exemptions for any dependent under 22 who is attending college. tuition_books_helper_description_html: To calculate the total amount, add together the cost of college tuition, the cost of books (and supplies), and any money earned by the student in college work-study programs. Do not include other financial aid received. @@ -3462,7 +3462,7 @@ en: edit: continue: Click "Continue" if all these people had health insurance. coverage_heading: What is health insurance with minimum essential coverage? - label: "Check all the people that did NOT have health insurance:" + label: 'Check all the people that did NOT have health insurance:' title_html: Please tell us which dependents were missing health insurance (with minimum essential health coverage) in %{filing_year}. nj_disabled_exemption: edit: @@ -3474,7 +3474,7 @@ en: edit: helper_contents_html: "

    You are the qualifying child of another taxpayer for the New Jersey Earned Income Tax Credit (NJEITC) in %{filing_year} if all of these are true.

    \n
      \n
    1. You are that person's:\n
        \n
      • Child, stepchild, foster child, or a descendant of any of them, or
      • \n
      • Sibling, half sibling, step sibling, or a descendant of any of them
      • \n
      \n
    2. \n
    3. You were: \n
        \n
      • Under age 19 at the end of the year and younger than that person (or that person's spouse, if they filed jointly), or
      • \n
      • Under age 24 at the end of the year, a student, and younger than that person (or that person’s spouse, if they filed jointly), or
      • \n
      • Any age and had a permanent disability that prevented you from working and making money
      • \n
      \n
    4. \n
    5. You lived with that person in the United States for more than 6 months in %{filing_year}.
    6. \n
    7. You aren’t filing a joint return with your spouse for the year. Or you’re filing a joint return with your spouse only to get a refund of money you paid toward taxes.
    8. \n
    \n

    If all of these statements are true, you are the qualifying child of another taxpayer for NJEITC. This is the case even if they don’t claim the credit or don’t meet all of the rules to claim it.

    \n

    If only some of these statements are true, you are NOT the qualifying child of another taxpayer for NJEITC.

    " helper_heading: How do I know if I could be someone else’s qualifying child for NJEITC? - instructions: "Note: You might be able to get the state credit even if you didn’t qualify for the federal credit." + instructions: 'Note: You might be able to get the state credit even if you didn’t qualify for the federal credit.' primary_eitc_qualifying_child_question: In %{filing_year}, could you be someone else's qualifying child for the New Jersey Earned Income Tax Credit (NJEITC)? spouse_eitc_qualifying_child_question: In %{filing_year}, could your spouse be someone else’s qualifying child for the NJEITC? title: You may be eligible for the New Jersey Earned Income Tax Credit (NJEITC). @@ -3505,7 +3505,7 @@ en: - label: "Total:" + label: 'Total:' title: Please tell us if you already made any payments toward your %{filing_year} New Jersey taxes. nj_gubernatorial_elections: edit: @@ -3521,7 +3521,7 @@ en:
  • You made P.I.L.O.T. (Payments-In-Lieu-of-Tax) payments
  • Another reason applies
  • - helper_header: "Leave first box unchecked if:" + helper_header: 'Leave first box unchecked if:' homeowner_home_subject_to_property_taxes: I paid property taxes homeowner_main_home_multi_unit: My main home was a unit in a multi-unit property I owned homeowner_main_home_multi_unit_max_four_one_commercial: The property had two to four units and no more than one of those was a commercial unit @@ -3602,7 +3602,7 @@ en:
  • Expenses for which you were reimbursed through your health insurance plan.
  • do_not_claim: If you do not want to claim this deduction, click “Continue”. - label: "Enter total non-reimbursed medical expenses paid in %{filing_year}:" + label: 'Enter total non-reimbursed medical expenses paid in %{filing_year}:' learn_more_html: |-

    "Medical expenses" means non-reimbursed payments for costs such as:

      @@ -3630,18 +3630,18 @@ en: title: Confirm Your Identity (Optional) nj_retirement_income_source: edit: - doc_1099r_label: "1099-R:" + doc_1099r_label: '1099-R:' helper_description_html: |

      U.S. military pensions result from service in the Army, Navy, Air Force, Marine Corps, or Coast Guard. Generally, qualifying military pensions and military survivor's benefit payments are paid by the U.S. Defense Finance and Accounting Service.

      Civil service pensions and annuities do not count as military pensions, even if they are based on credit for military service. Generally, civil service annuities are paid by the U.S. Office of Personnel Management.

      helper_heading: What counts as a U.S. military pension? - label: "Select the source of this income:" + label: 'Select the source of this income:' option_military_pension: U.S. military pension option_military_survivor_benefit: U.S. military survivor's benefits option_other: None of these apply (Choose this if you have a civil service pension or annuity) subtitle: We need more information about this 1099-R. - taxable_amount_label: "Taxable Amount:" - taxpayer_name_label: "Taxpayer Name:" + taxable_amount_label: 'Taxable Amount:' + taxpayer_name_label: 'Taxpayer Name:' title: Some of your retirement income might not be taxed in New Jersey. nj_review: edit: @@ -3670,13 +3670,13 @@ en: property_tax_paid: Property taxes paid in %{filing_year} rent_paid: Rent paid in %{filing_year} retirement_income_source: 1099-R Retirement Income - retirement_income_source_doc_1099r_label: "1099-R:" - retirement_income_source_label: "Source:" + retirement_income_source_doc_1099r_label: '1099-R:' + retirement_income_source_label: 'Source:' retirement_income_source_military_pension: U.S. military pension retirement_income_source_military_survivor_benefit: U.S. military survivor's benefits retirement_income_source_none: Neither U.S. military pension nor U.S. military survivor's benefits - retirement_income_source_taxable_amount_label: "Taxable Amount:" - retirement_income_source_taxpayer_name_label: "Taxpayer Name:" + retirement_income_source_taxable_amount_label: 'Taxable Amount:' + retirement_income_source_taxpayer_name_label: 'Taxpayer Name:' reveal: 15_wages_salaries_tips: Wages, salaries, tips 16a_interest_income: Interest income @@ -3708,7 +3708,7 @@ en: year_of_death: Year of spouse's passing nj_sales_use_tax: edit: - followup_radio_label: "Select one of the following:" + followup_radio_label: 'Select one of the following:' helper_description_html: "

      This applies to online purchases where sales or use tax was not applied. (Amazon and many other online retailers apply tax.)

      \n

      It also applies to items or services purchased out-of-state, in a state where there was no sales tax or the sales tax rate was below the NJ rate of 6.625%.

      \n

      (Review this page for more details.)

      \n" helper_heading: What kind of items or services does this apply to? manual_use_tax_label_html: "Enter total use tax" @@ -3786,7 +3786,7 @@ en: message_body_one: We will not share your information with any outside parties. Message frequency will vary. Message and data rates may apply. message_body_two_html: Text HELP to 46207 for help. Text STOP to 46207 to cancel. Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. See our SMS Terms and Conditions and Privacy Policy. message_title: Messaging details - opt_in_label: "Select how you would like to receive notifications:" + opt_in_label: 'Select how you would like to receive notifications:' phone_number: Your phone number phone_number_help_text: Enter numbers only provided_contact: We’ll send updates about your tax return to %{contact_info}. @@ -3865,7 +3865,7 @@ en: edit: calculated_use_tax: Enter calculated use tax. (Round to the nearest whole number.) enter_valid_dollar_amount: Please enter a dollar amount between 0 and 1699. - select_one: "Select one of the following:" + select_one: 'Select one of the following:' subtitle_html: This includes online purchases where sales or use tax was not applied. title: one: Did you make any out-of-state purchases in %{year} without paying sales or use tax? @@ -3903,7 +3903,7 @@ en: part_year: one: I lived in New York City for some of the year other: My spouse and I lived in New York City for some of the year, or we lived in New York City for different amounts of time. - title: "Select your New York City residency status during %{year}:" + title: 'Select your New York City residency status during %{year}:' pending_federal_return: edit: body_html: Sorry to keep you waiting.

      You’ll receive an email from IRS Direct File when your federal tax return is accepted with a link to bring you back here. Check your spam folder. @@ -3948,7 +3948,7 @@ en: title_html: Please review your retirement income (1099-R) details for %{payer_name}. retirement_income_subtraction: doc_1099r_label: 1099-R - income_source_question: "Select the source of this income:" + income_source_question: 'Select the source of this income:' none_apply: None of these apply taxable_amount_label: Taxable amount taxpayer_name_label: Taxpayer name @@ -3963,7 +3963,7 @@ en: download_voucher: Download and print the completed payment voucher. feedback: We value your feedback—let us know what you think of this service. include_payment: You'll need to include the payment voucher form. - mail_voucher_and_payment: "Mail the voucher form and payment to:" + mail_voucher_and_payment: 'Mail the voucher form and payment to:' md: refund_details_html: | You can check the status of your refund by visiting www.marylandtaxes.gov and clicking on "Where's my refund?" You can also call the automated refund inquiry hotline at 1-800-218-8160 (toll-free) or 410-260-7701. @@ -3986,7 +3986,7 @@ en: You'll need to enter your Social Security Number and the exact refund amount.

      You can also call the North Carolina Department of Revenue's toll-free refund inquiry line at 1-877-252-4052, available 24/7. - pay_by_mail_or_moneyorder: "If you are paying by mail via check or money order:" + pay_by_mail_or_moneyorder: 'If you are paying by mail via check or money order:' refund_details_html: 'Typical refund time frames are 7-8 weeks for e-Filed returns and 10-11 weeks for paper returns. There are some exceptions. For more information, please visit %{website_name} website: Where’s my Refund?' title: Your %{filing_year} %{state_name} state tax return is accepted additional_content: @@ -4013,8 +4013,8 @@ en: no_edit: body_html: Unfortunately, there has been an issue with filing your state return that cannot be resolved on our tool. We recommend you download your return to assist you in next steps. Chat with us or email us at help@fileyourstatetaxes.org for guidance on next steps. title: What can I do next? - reject_code: "Reject Code:" - reject_desc: "Reject Description:" + reject_code: 'Reject Code:' + reject_desc: 'Reject Description:' title: Unfortunately, your %{filing_year} %{state_name} state tax return was rejected review: county: County where you resided on December 31, %{filing_year} @@ -4034,7 +4034,7 @@ en: your_name: Your name review_header: income_details: Income Details - income_forms_collected: "Income form(s) collected:" + income_forms_collected: 'Income form(s) collected:' state_details_title: State Details your_refund: Your refund amount your_tax_owed: Your taxes owed @@ -4044,15 +4044,13 @@ en: term_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. term_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. term_4_html: "We are able to deliver messages to the following mobile phone carriers" - term_5: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." - term_6: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." + term_5: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' + term_6: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' term_7: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. - term_8_html: - 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. + term_8_html: 'As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider.

      For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. ' - term_9_html: - 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy + term_9_html: 'If you have any questions regarding privacy, please read our privacy policy: www.fileyourstatetaxes.org/privacy-policy ' title: Please review the FileYourStateTaxes text messaging terms and conditions @@ -4070,15 +4068,15 @@ en: nj_additional_content: body_html: You said you are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. body_mfj_html: You said you or your spouse are filing for the veteran exemption. If it's your first time filing for this exemption, you have to provide documentation and a form to the New Jersey Division of Taxation. It can be done online. - header: "Attention: if you are claiming the veteran exemption for the first time" + header: 'Attention: if you are claiming the veteran exemption for the first time' tax_refund: bank_details: account_number: Account Number after_deadline_default_withdrawal_info: Because you are submitting your return on or after %{withdrawal_deadline_date}, %{with_drawal_deadline_year}, the state will withdraw your payment as soon as they process your return. - bank_title: "Please provide your bank details:" + bank_title: 'Please provide your bank details:' confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: "When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):" + date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' foreign_accounts: Foreign accounts are not accepted routing_number: Routing Number withdraw_amount: How much do you authorize to be withdrawn from your account? (Your total amount due is: $%{owed_amount}.) @@ -4176,7 +4174,7 @@ en: apartment: Apartment/Unit Number box_10b_html: "Box 10b, State identification no." city: City - confirm_address_html: "Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form." + confirm_address_html: 'Do we have the correct mailing address as listed on your form 1099-G?

      Note: this may be different than your current address. Please edit the address to match what’s on your form.' confirm_address_no: No, I need to edit the address confirm_address_yes: Yes, that's the correct address dont_worry: If you have more than one 1099-G, don’t worry, you can add it on the next page. @@ -4211,7 +4209,7 @@ en: add_another: Add another 1099-G form delete_confirmation: Are you sure you want to delete this 1099-G? lets_review: Great! Thanks for sharing that information. Let’s review. - unemployment_compensation: "Unemployment compensation: %{amount}" + unemployment_compensation: 'Unemployment compensation: %{amount}' use_different_service: body: Before choosing an option, make sure it supports state-only tax filing. You most likely will need to reenter your federal tax return information in order to prepare your state tax return. Fees may apply. faq_link: Visit our FAQ @@ -4338,7 +4336,7 @@ en: cookies_3: We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Site to improve the way we promote our content and programs. cookies_4: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. cookies_header: Cookies - data_retention_1: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." + data_retention_1: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' data_retention_2: If you no longer wish to proceed with the FileYourStateTaxes application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. data_retention_header: Data Retention effective_date: This version of the policy is effective January 15, 2024. @@ -4347,7 +4345,7 @@ en: header_1_html: FileYourStateTaxes.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help households file their state taxes after using the federal IRS Direct File service. header_2_html: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. header_3_html: If you have any questions or concerns about this Privacy Notice, please contact us at help@fileyourstatetaxes.org - how_we_collect_your_info: "We collect your information from various sources, such as when you or your household members:" + how_we_collect_your_info: 'We collect your information from various sources, such as when you or your household members:' how_we_collect_your_info_header: How we collect your information how_we_collect_your_info_item_1: Visit our Site, fill out forms on our Site, or use our Services how_we_collect_your_info_item_2: Provide us with documents to use our Services @@ -4356,13 +4354,13 @@ en: independent_recourse_header: How to appeal a decision info_collect_1_html: We do not sell your personal information. We do not share your personal information with any third party, except as provided in this Privacy Policy, and consistent with 26 CFR 301.7216-2. Consistent with regulation, we may use or disclose your information in the following instances: info_collect_item_1: For analysis and reporting, we may share limited aggregate information with government agencies or other third parties, including the IRS or state departments of revenue, to analyze the use of our Services, in order to improve and expand our services. Such analysis is always performed using anonymized data, and data is never disclosed in cells smaller than ten returns. - info_collect_item_2: "For research to improve our tax filing products, including:" + info_collect_item_2: 'For research to improve our tax filing products, including:' info_collect_item_2_1: To invite you to complete questionnaires regarding your experience using our product. info_collect_item_2_2: To send you opportunities to participate in paid user research sessions, to learn more about your experience using our product and to guide the development of future free tax filing products. info_collect_item_3_html: To notify you of the availability of free tax filing services in the future. info_collect_item_4: If necessary, we may disclose your information to contractors who help us provide our services. We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. - info_collect_item_5: "Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request." - info_we_collect_1: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" + info_collect_item_5: 'Legal Compliance: In certain situations, we may be required to disclose personal data in response to lawful requests by public authorities, including to meet national security or law enforcement requirements. We may also disclose your personal information as required by law, such as to comply with a subpoena or other legal process, when we believe in good faith that disclosure is necessary to protect our rights, protect your safety or the safety of others, investigate fraud, or respond to a government request.' + info_we_collect_1: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' info_we_collect_header: Information we collect info_we_collect_item_1: Personal identifiers such as name, addresses, phone numbers, and email addresses info_we_collect_item_10: Household information and information about your spouse, if applicable @@ -4409,14 +4407,14 @@ en: body_1: When you opt-in to the service, we will send you an SMS message to confirm your signup. We will also text you updates on your tax return (message frequency will vary) and/or OTP/2FA codes (one message per request). body_2_html: You can cancel the SMS service at any time. Just text "STOP" to 46207. After you send the SMS message "STOP" to us, we will send you an SMS message to confirm that you have been unsubscribed. After this, you will no longer receive SMS messages from us. If you want to join again, just reply "START" and we will start sending SMS messages to you again. body_3_html: If at any time you forget what keywords are supported, just text "HELP" to 46207. After you send the SMS message "HELP" to us, we will respond with instructions on how to use our service as well as how to unsubscribe. - body_4: "We are able to deliver messages to the following mobile phone carriers:" + body_4: 'We are able to deliver messages to the following mobile phone carriers:' body_5a: As always, message and data rates may apply for any messages sent to you from us and to us from you. If you have any questions about your text plan or data plan, it is best to contact your wireless provider. body_5b_html: For all questions about the services provided by this short code, you can send an email to help@fileyourstatetaxes.org. body_6_html: 'If you have any questions regarding privacy, please read our privacy policy: https://FileYourStateTaxes.org/privacy-policy' carrier_disclaimer: Carriers (e.g. AT&T, Verizon, T-Mobile, Sprint, etc.) are not responsible or liable for undelivered or delayed messages. header: FileYourStateTaxes text messaging terms and conditions - major_carriers: "Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile." - minor_carriers: "Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless)." + major_carriers: 'Major carriers: AT&T, Verizon Wireless, Sprint, T-Mobile, U.S. Cellular, Alltel, Boost Mobile, Nextel, and Virgin Mobile.' + minor_carriers: 'Minor carriers: Alaska Communications Systems (ACS), Appalachian Wireless (EKN), Bluegrass Cellular, Cellular One of East Central IL (ECIT), Cellular One of Northeast Pennsylvania, Cincinnati Bell Wireless, Cricket, Coral Wireless (Mobi PCS), COX, Cross, Element Mobile (Flat Wireless), Epic Touch (Elkhart Telephone), GCI, Golden State, Hawkeye (Chat Mobility), Hawkeye (NW Missouri), Illinois Valley Cellular, Inland Cellular, iWireless (Iowa Wireless), Keystone Wireless (Immix Wireless/PC Man), Mosaic (Consolidated or CTC Telecom), Nex-Tech Wireless, NTelos, Panhandle Communications, Pioneer, Plateau (Texas RSA 3 Ltd), Revol, RINA, Simmetry (TMP Corporation), Thumb Cellular, Union Wireless, United Wireless, Viaero Wireless, and West Central (WCC or 5 Star Wireless).' state_information_service: az: department_of_taxation: Arizona Department of Revenue @@ -4527,7 +4525,7 @@ en: no_match_gyr: | Someone tried to sign in to GetYourRefund with this phone number, but we couldn't find a match. Did you sign up with a different phone number? You can also visit %{url} to get started. - with_code: "Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes." + with_code: 'Your 6-digit %{service_name} verification code is: %{verification_code}. This code will expire after 10 minutes.' views: consent_pages: consent_to_disclose: @@ -4604,8 +4602,8 @@ en: contact_ta: Contact a Taxpayer Advocate contact_vita: Contact a VITA Site content_html: - - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. - - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. + - To check the status of your %{current_tax_year} tax return you can log into your IRS online account. + - If you need additional support, you can reach out to a Volunteer Income Tax Assistance (VITA) site or the Taxpayer Advocate Service. title: Unfortunately, you can’t use GetCTC because you already filed a %{current_tax_year} tax return. portal: bank_account: @@ -4636,7 +4634,7 @@ en: title: Edit your address messages: new: - body_label: "Enter your message below:" + body_label: 'Enter your message below:' title: Contact us wait_time: Please allow 3 business days for a response. primary_filer: @@ -4663,7 +4661,7 @@ en: i_dont_have_id: I don't have an ID id: Your driver's license or state ID card id_label: Photo of your ID - info: "To protect your identity and verify your information, we'll need you to submit the following two photos:" + info: 'To protect your identity and verify your information, we''ll need you to submit the following two photos:' paper_file: download_link_text: Download 1040 go_back: Submit my ID instead @@ -4697,8 +4695,8 @@ en: title: Did you receive any Advance Child Tax Credit payments from the IRS in 2021? question: Did you receive this amount? title: Did you receive a total of $%{adv_ctc_estimate} in Advance Child Tax Credit payments in 2021? - total_adv_ctc: "We estimate that you should have received:" - total_adv_ctc_details_html: "for the following dependents:" + total_adv_ctc: 'We estimate that you should have received:' + total_adv_ctc_details_html: 'for the following dependents:' yes_received: I received this amount advance_ctc_amount: details_html: | @@ -4717,15 +4715,15 @@ en: correct: Correct the amount I received no_file: I don’t need to file a return content: - - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. - - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. + - You entered %{amount_received} for the total amount of Advance Child Tax Credit you received in 2021. + - If this is correct, you are not eligible for any additional Child Tax Credit payment, and you probably do not need to file a tax return. title: You have no more Child Tax Credit to claim. advance_ctc_received: already_received: Amount you received ctc_owed_details: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. - ctc_owed_title: "You are eligible for an additional:" + ctc_owed_title: 'You are eligible for an additional:' title: Ok, we calculated your Child Tax Credit. - total_adv_ctc: "Total Advance CTC: %{amount}" + total_adv_ctc: 'Total Advance CTC: %{amount}' already_completed: content_html: |

      You've completed all of our intake questions and we're reviewing and submitting your tax return.

      @@ -4742,17 +4740,17 @@ en:

      If you received a notice from the IRS this year about your return (Letter 5071C, Letter 6331C, or Letter 12C), then you already filed a federal return with the IRS this year.

      Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.

      reveal: - content_title: "If you received any of the letters listed here, you’ve already filed:" + content_title: 'If you received any of the letters listed here, you’ve already filed:' list_content: - - 12C - - CP21 - - 131C - - 4883C - - 5071C - - 5447C - - 5747C - - 6330C - - 6331C + - 12C + - CP21 + - 131C + - 4883C + - 5071C + - 5447C + - 5747C + - 6330C + - 6331C title: I received a different letter from the IRS. Does that mean I already filed? title: Did you file a %{current_tax_year} federal tax return with the IRS this year? title: Did you file a %{current_tax_year} tax return this year? @@ -4775,9 +4773,9 @@ en: help_text: The Earned Income Tax Credit (EITC) is a tax credit that can give you up to $6,700. info_box: list: - - You had a job earning money in %{current_tax_year} - - Each person on this return has an SSN - title: "Requirements:" + - You had a job earning money in %{current_tax_year} + - Each person on this return has an SSN + title: 'Requirements:' title: Would you like to claim more money by sharing any 2021 W-2 forms? confirm_bank_account: bank_information: Your bank information @@ -4812,15 +4810,15 @@ en: confirm_payment: client_not_collecting: You are not collecting any payments, please edit your tax return. ctc_0_due_link: Claim children for CTC - ctc_due: "Child Tax Credit payments:" + ctc_due: 'Child Tax Credit payments:' do_not_file: Do not file do_not_file_flash_message: Thank you for using GetCTC! We will not file your return. - eitc: "Earned Income Tax Credit:" - fed_income_tax_withholding: "Federal Income Tax Withholding:" + eitc: 'Earned Income Tax Credit:' + fed_income_tax_withholding: 'Federal Income Tax Withholding:' subtitle: You’re almost done! Please confirm your refund information. - third_stimulus: "Third Stimulus Payment:" - title: "Review this list of the payments you are claiming:" - total: "Total refund amount:" + third_stimulus: 'Third Stimulus Payment:' + title: 'Review this list of the payments you are claiming:' + total: 'Total refund amount:' confirm_primary_prior_year_agi: primary_prior_year_agi: Your %{prior_tax_year} AGI confirm_spouse_prior_year_agi: @@ -4828,7 +4826,7 @@ en: contact_preference: body: We’ll send a code to verify your contact information so that we can send updates on your return. Please select the option that works best! email: Email me - sms_policy: "Note: Standard SMS message rates apply. We will not share your information with any outside parties." + sms_policy: 'Note: Standard SMS message rates apply. We will not share your information with any outside parties.' text: Text me title: What is the best way to reach you? dependents: @@ -4838,8 +4836,8 @@ en: child_claim_anyway: help_text: list: - - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. - - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. + - Whoever lived with %{name} for longer in %{current_tax_year} has the right to claim them. + - If you both spent the same time living with %{name} in %{current_tax_year}, then whichever parent made more money in %{current_tax_year} can claim %{name}. p1: If you and the other person who could claim the dependent are both their legal parents... p2: If you are %{name}’s legal parent and the other person who could claim them is not, then you can claim them. legal_parent_reveal: @@ -4860,7 +4858,7 @@ en: info: A doctor determines that you have a permanent disability when you are unable to do a majority of your work because of a physical or mental condition. title: What is the definition of permanently and totally disabled? full_time_student: "%{name} was a full-time student" - help_text: "Select any situations that were true in %{current_tax_year}:" + help_text: 'Select any situations that were true in %{current_tax_year}:' permanently_totally_disabled: "%{name} was permanently and totally disabled" student_reveal: info_html: | @@ -4873,10 +4871,10 @@ en: reveal: body: If your dependent was at a temporary location in 2021, select the number of months that your home was their official address. list: - - school - - medical facility - - a juvenile facility - list_title: "Some examples of temporary locations:" + - school + - medical facility + - a juvenile facility + list_title: 'Some examples of temporary locations:' title: What if my dependent was away for some time in 2021? select_options: eight: 8 months @@ -4894,31 +4892,31 @@ en: does_my_child_qualify_reveal: content: list_1: - - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. + - Your foster child must have been placed with you per a formal arrangement with a foster agency or a court order. list_2: - - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' + - If you have legally adopted or are in the process of legally adopting your child, select 'son' or 'daughter' p1: Who counts as a foster child? p2: What if I have an adopted child? title: Does my child qualify? does_not_qualify_ctc: conditions: - - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. - - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. - - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. - - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. + - The person you are trying to claim might be born in %{filing_year}. You can only claim dependents who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might be too old to be your dependent. Except in a few specific cases, your dependent has to be under 19, or under 24 if a student. + - The person you are trying to claim might not have the right relationship to you to be your dependent. In most cases, your dependent has to be your child, grandchild, niece, or nephew. In limited other cases you can claim other close family members. + - The person you are trying to claim might not live with you for enough of the year. In most cases, your dependent must live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, your dependent cannot pay for their own living expenses. + - The person you are trying to claim might be someone else’s dependent rather than yours. Only one household can claim a given dependent. help_text: We will not save %{name} to your tax return. They do not qualify for any tax credits. puerto_rico: affirmative: Yes, add another child conditions: - - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. - - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. - - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. - - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. - - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. - - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. - - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. + - The person you are trying to claim might be too old to qualify for CTC. They must be 17 years old or less at the end of %{current_tax_year}. + - The person you are trying to claim might be born in %{filing_year}. You can only claim children who were alive in %{current_tax_year} on your %{current_tax_year} tax return. + - The person you are trying to claim might not have the right relationship to you to qualify for CTC. They must be your child, your sibling, or a descendent of one of them. + - The person you are trying to claim might not live with you for enough of the year. In most cases, you can only claim children who live with you for most of the year. + - The person you are trying to claim might be financially independent. In most cases, you can only claim children if they do not pay for their own living expenses. + - The person you are trying to claim might be someone else’s child rather than yours. Only one household can claim a given child. + - The person you are trying to claim might not have a valid Social Security Number. To be eligible for CTC, they need to have a Social Security Number that is valid for employment. help_text: We will not save %{name} to your tax return. They do not qualify for Child Tax Credit payments. negative: No, continue title: You can not claim Child Tax Credit for %{name}. Would you like to add anyone else? @@ -4931,7 +4929,7 @@ en: last_name: Legal last name middle_initial: Legal middle name(s) (optional) relationship_to_you: What is their relationship to you? - situations: "Select if the following is true:" + situations: 'Select if the following is true:' suffix: Suffix (optional) title: Let’s get their basic information! relative_financial_support: @@ -4943,7 +4941,7 @@ en: gross_income_reveal: content: "“Gross income” generally includes all income received during the year, including both earned and unearned income. Examples include wages, cash from your own business or side job, unemployment income, or Social Security income." title: What is gross income? - help_text: "Select any situations that were true in %{current_tax_year}:" + help_text: 'Select any situations that were true in %{current_tax_year}:' income_requirement: "%{name} earned less than $4,300 in gross income." title: We just need to verify a few more things. remove_dependent: @@ -4998,7 +4996,7 @@ en: info: A qualified homeless youth is someone who is homeless or at risk of homelessness, who supports themselves financially. You must be between 18-24 years old and can not be under physical custody of a parent or guardian. title: Am I a qualified homeless youth? not_full_time_student: I was not a full time student - title: "Select any of the situations that were true in %{current_tax_year}:" + title: 'Select any of the situations that were true in %{current_tax_year}:' email_address: title: Please share your email address. file_full_return: @@ -5007,14 +5005,14 @@ en: help_text2: If you file a full tax return you could receive additional cash benefits from the Earned Income Tax Credit, state tax credits, and more. help_text_eitc: If you have income that is reported on a 1099-NEC or a 1099-K you should file a full tax return instead. list_1_eitc: - - Child Tax Credit - - 3rd Stimulus Check - - Earned Income Tax Credit - list_1_eitc_title: "You can file a simplified tax return to claim the:" + - Child Tax Credit + - 3rd Stimulus Check + - Earned Income Tax Credit + list_1_eitc_title: 'You can file a simplified tax return to claim the:' list_2_eitc: - - Stimulus check 1 or 2 - - State tax credits or stimulus payments - list_2_eitc_title: "You cannot use this tool to claim:" + - Stimulus check 1 or 2 + - State tax credits or stimulus payments + list_2_eitc_title: 'You cannot use this tool to claim:' puerto_rico: full_btn: File a Puerto Rico tax return help_text: This is not a Puerto Rico return with Departamento de Hacienda. If you want to claim additional benefits (like the Earned Income Tax Credit, any of the stimulus payments, or other Puerto Rico credits) you will need to file a separate Puerto Rico Tax Return with Hacienda. @@ -5022,9 +5020,9 @@ en: title: You are currently filing a simplified tax return to claim only your Child Tax Credit. reveal: body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How can I get the first two stimulus payments? simplified_btn: Continue filing a simplified return title: You are currently filing a simplified tax return to claim only your Child Tax Credit and third stimulus payment. @@ -5037,7 +5035,7 @@ en: puerto_rico: did_not_file: No, I didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, I filed an IRS tax return - note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." + note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' title: Did you file a %{prior_tax_year} federal tax return with the IRS? title: Did you file a %{prior_tax_year} tax return? filing_status: @@ -5058,54 +5056,54 @@ en: title: To claim your Child Tax Credit, you must add your dependents (children or others who you financially support) which_relationships_qualify_reveal: content: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Parent - - Step Parent - - Grandparent - - Aunt - - Uncle - - In Laws - - Other descendants of my siblings - - Other relationship not listed + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Parent + - Step Parent + - Grandparent + - Aunt + - Uncle + - In Laws + - Other descendants of my siblings + - Other relationship not listed content_puerto_rico: - - Son - - Daughter - - Stepchild - - Foster child - - Niece - - Nephew - - Grandchild - - Half Brother - - Half Sister - - Stepbrother - - Stepsister - - Great-grandchild - - Other descendants of my siblings + - Son + - Daughter + - Stepchild + - Foster child + - Niece + - Nephew + - Grandchild + - Half Brother + - Half Sister + - Stepbrother + - Stepsister + - Great-grandchild + - Other descendants of my siblings title: Which relationships qualify? head_of_household: claim_hoh: Claim HoH status do_not_claim_hoh: Do not claim HoH status eligibility_b_criteria_list: - - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse - - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses - - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses + - A dependent who is your child, sibling, or a descendant of one of them; who lives with you more than half the year; who was less than 19 at the end of 2021, or less than 24 and a full-time student, or was permanently disabled; who paid for less than half of their own living expenses in 2021; and who did not file a return jointly with their spouse + - A dependent parent who earns less than $4,300, and for whom you cover more than half of their living expenses + - Another dependent relative who lives with you more than half of the year; who earns less than $4,300; and for whom you cover more than half of their living expenses eligibility_list_a: a. You are not married - eligibility_list_b: "b. You have one or more of the following:" + eligibility_list_b: 'b. You have one or more of the following:' eligibility_list_c_html: "c. You pay at least half the cost of keeping up the home where this dependent lives — costs including property taxes, mortgage interest, rent, utilities, upkeep/repairs, and food consumed." full_list_of_rules_html: The full list of Head of Household rules is available here. If you choose to claim Head of Household status, you understand that you are responsible for reviewing these rules and ensuring that you are eligible. subtitle_1: Because you are claiming dependents, you may be eligible to claim Head of Household tax status on your return. Claiming Head of Household status will not increase your refund, and will not make you eligible for any additional tax benefits. We do not recommend you claim Head of Household status. - subtitle_2: "You are likely eligible for Head of Household status if:" + subtitle_2: 'You are likely eligible for Head of Household status if:' title: Claiming Head of Household status will not increase your refund. income: income_source_reveal: @@ -5113,49 +5111,49 @@ en: title: How do I know the source of my income? list: one: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason other: - - earned less than $400 in contract work or self-employment income - - did not receive the Advance Premium Tax Credit - - are not required to file a full tax return for any other reason + - earned less than $400 in contract work or self-employment income + - did not receive the Advance Premium Tax Credit + - are not required to file a full tax return for any other reason mainland_connection_reveal: content: If your family and your belongings are located in any of the 50 states or in a foreign country rather than Puerto Rico, or your community engagements are stronger in the 50 states or in a foreign country than they are in Puerto Rico, then you can’t use GetCTC as a Puerto Rican resident. title: What does it mean to have a closer connection to the mainland U.S. than to Puerto Rico? puerto_rico: list: one: - - you earned less than %{standard_deduction} in total income - - you earned less than $400 in self-employment income - - you are not required to file a full tax return for any other reason - - all of your earned income came from sources within Puerto Rico - - you lived in Puerto Rico for at least half the year (183 days) - - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you earned less than %{standard_deduction} in total income + - you earned less than $400 in self-employment income + - you are not required to file a full tax return for any other reason + - all of your earned income came from sources within Puerto Rico + - you lived in Puerto Rico for at least half the year (183 days) + - your regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else other: - - you and your spouse earned less than %{standard_deduction} in total income - - you and your spouse earned less than $400 in self-employment income - - you and your spouse are not required to file a full tax return for any other reason - - all of your and your spouse's earned income came from sources within Puerto Rico - - you and your spouse lived in Puerto Rico for at least half the year (183 days) - - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico - - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico - - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else + - you and your spouse earned less than %{standard_deduction} in total income + - you and your spouse earned less than $400 in self-employment income + - you and your spouse are not required to file a full tax return for any other reason + - all of your and your spouse's earned income came from sources within Puerto Rico + - you and your spouse lived in Puerto Rico for at least half the year (183 days) + - your and your spouse's regular place of employment was in Puerto Rico. If you didn’t have a regular place of employment, then your main home was in Puerto Rico + - you and your spouse did not have a “closer connection” to any of the 50 states or to a foreign country than you did to Puerto Rico + - you and your spouse did not move to Puerto Rico from somewhere else, or move from Puerto Rico to somewhere else self_employment_income_reveal: content: list_1: - - 1099 contract work - - gig work - - driving for Uber, Lyft, or similar - - renting out your home + - 1099 contract work + - gig work + - driving for Uber, Lyft, or similar + - renting out your home p1: Self-employment income is generally any money that you made from your own business, or in some cases working part time for an employer. Self-employment income is reported to you on a 1099 rather than a W-2. - p2: "If your employer calls you a 'contractor' rather than an 'employee,' your income from that job is probably self-employment income. Self-employment income could include:" + p2: 'If your employer calls you a ''contractor'' rather than an ''employee,'' your income from that job is probably self-employment income. Self-employment income could include:' title: What counts as self-employment income? title: - one: "You can only use GetCTC if, in %{current_tax_year}, you:" - other: "You can only use GetCTC if, in %{current_tax_year}, you and your spouse:" + one: 'You can only use GetCTC if, in %{current_tax_year}, you:' + other: 'You can only use GetCTC if, in %{current_tax_year}, you and your spouse:' what_is_aptc_reveal: content: p1: The Advance Premium Tax Credit is a subsidy some households get for their health insurance coverage. @@ -5164,13 +5162,13 @@ en: title: What is the Advance Premium Tax Credit? income_qualifier: list: - - salary - - hourly wages - - dividends and interest - - tips - - commissions - - self-employment or contract payments - subtitle: "Income could come from any of the following sources:" + - salary + - hourly wages + - dividends and interest + - tips + - commissions + - self-employment or contract payments + subtitle: 'Income could come from any of the following sources:' title: one: Did you make less than %{standard_deduction} in %{current_tax_year}? other: Did you and your spouse make less than %{standard_deduction} in %{current_tax_year}? @@ -5193,7 +5191,7 @@ en:

      The IRS issues you a new IP PIN every year, and you must provide this year's PIN.

      Click here to retrieve your IP PIN from the IRS.

      irs_language_preference: - select_language: "Please select your preferred language:" + select_language: 'Please select your preferred language:' subtitle: The IRS may reach out with questions. You have the option to select a preferred language. title: What language do you want the IRS to use when they contact you? legal_consent: @@ -5254,8 +5252,8 @@ en: add_dependents: Add more dependents puerto_rico: subtitle: - - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. - - If this is a mistake you can click ‘Add a child’. + - You will not receive the Child Tax Credit. You have not added any dependents eligible for the Child Tax Credit, so we can not file a return at this time. + - If this is a mistake you can click ‘Add a child’. title: You will not receive the Child Tax Credit. subtitle: Based on your current answers you will not receive the Child Tax Credit, because you have no eligible dependents. title: You will not receive the Child Tax Credit, but you may continue to collect other cash payments. @@ -5265,11 +5263,11 @@ en: non_w2_income: additional_income: list: - - contractor income - - interest income - - unemployment income - - any other money you received - list_title: "Additional income includes:" + - contractor income + - interest income + - unemployment income + - any other money you received + list_title: 'Additional income includes:' title: one: Did you make more than %{additional_income_amount} in additional income? other: Did you and your spouse make more than %{additional_income_amount} in additional income? @@ -5278,7 +5276,7 @@ en: faq: Visit our FAQ home: Go to the homepage content: - - We will not send any of your information to the IRS. + - We will not send any of your information to the IRS. title: You’ve decided to not file a tax return. overview: help_text: Use our simple e-filing tool to receive your Child Tax Credit and, if applicable, your third stimulus payment. @@ -5303,13 +5301,13 @@ en: restrictions: cannot_use_ctc: I can't use GetCTC list: - - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then - - you have income in tips from a service job that was not reported to your employer - - you want to file Form 8332 in order to claim a child who does not live with you - - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS - - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} - - you bought or sold cryptocurrency in %{current_tax_year} - list_title: "You can not use GetCTC if:" + - you have previously had the CTC or the EITC reduced or disallowed by an IRS investigation and you have not properly filed Form 8862 since then + - you have income in tips from a service job that was not reported to your employer + - you want to file Form 8332 in order to claim a child who does not live with you + - you are claiming a qualifying relative under a “multiple support agreement” as defined by the IRS + - you are not claiming any children for the Child Tax Credit this year, but you received Advance Child Tax Credit payments in %{current_tax_year} + - you bought or sold cryptocurrency in %{current_tax_year} + list_title: 'You can not use GetCTC if:' multiple_support_agreement_reveal: content: p1: A multiple support agreement is a formal arrangement you make with family or friends to jointly care for a child or relative. @@ -5343,7 +5341,7 @@ en: did_not_file: No, %{spouse_first_name} didn’t file a %{prior_tax_year} IRS tax return filed_full: Yes, %{spouse_first_name} filed an IRS tax return separately from me filed_together: Yes, %{spouse_first_name} filed an IRS tax return jointly with me - note: "Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda." + note: 'Note: federal return with the IRS is separate from a Puerto Rico return you may have filed with Hacienda.' title: Did %{spouse_first_name} file a %{prior_tax_year} federal tax return with the IRS? title: Did %{spouse_first_name} file a %{prior_tax_year} tax return? spouse_info: @@ -5370,15 +5368,15 @@ en: title: What was %{spouse_first_name}’s %{prior_tax_year} Adjusted Gross Income? spouse_review: help_text: We have added the following person as your spouse on your return. - spouse_birthday: "Date of birth: %{dob}" - spouse_ssn: "SSN: XXX-XX-%{ssn}" + spouse_birthday: 'Date of birth: %{dob}' + spouse_ssn: 'SSN: XXX-XX-%{ssn}' title: Let's confirm your spouse's information. your_spouse: Your spouse stimulus_owed: amount_received: Amount you received correction: If the amount you entered is incorrect, the IRS will automatically correct it for you, but your payment may be delayed. eip_three: Third stimulus - eligible_for: "You are claiming an additional:" + eligible_for: 'You are claiming an additional:' title: It looks like you are still owed some of the third stimulus payment. stimulus_payments: different_amount: I received a different amount @@ -5386,15 +5384,15 @@ en: question: Did you receive this amount? reveal: content_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. - - You can only claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Most families received these in April 2020, December 2020, and March 2021. + - You can only claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file for free at GetYourRefund. title: How do I get the first two stimulus payments? third_stimulus: We estimate that you should have received third_stimulus_details: - - based on your filing status and dependents. - - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. - - For example, a parent caring for two children would have received $4,200. + - based on your filing status and dependents. + - The third stimulus payment was usually sent in March or April 2021 and was $1,400 per adult tax filer plus $1,400 per eligible dependent of any age. + - For example, a parent caring for two children would have received $4,200. this_amount: I received this amount title: Did you receive a total of %{third_stimulus_amount} for your third stimulus payment? stimulus_received: @@ -5412,39 +5410,39 @@ en: use_gyr: file_gyr: File with GetYourRefund puerto_rico: - address: "San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069." - in_person: "In-person:" + address: 'San Patricio Office Center VITA site, #7 Calle Tabonuco, Guaynabo, PR 00968. By appointment only. Call 787-622-8069.' + in_person: 'In-person:' online_html: 'Online filing: https://myfreetaxes.com/' - pr_number: "Puerto Rico Helpline: 877-722-9832" - still_file: "You may still be able to file to claim your benefits. For additional help, consider reaching out to:" - virtual: "Virtual: MyFreeTaxes" + pr_number: 'Puerto Rico Helpline: 877-722-9832' + still_file: 'You may still be able to file to claim your benefits. For additional help, consider reaching out to:' + virtual: 'Virtual: MyFreeTaxes' why_ineligible_reveal: content: list: - - You earned more than $400 in self-employment income - - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country - - You did not live in Puerto Rico for more than half of %{current_tax_year} - - You moved in or out of Puerto Rico during %{current_tax_year} - - You can be claimed as a dependent by someone else - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + - You earned more than $400 in self-employment income + - You earned some money from sources outside of Puerto Rico, for example in one of the 50 states or in a foreign country + - You did not live in Puerto Rico for more than half of %{current_tax_year} + - You moved in or out of Puerto Rico during %{current_tax_year} + - You can be claimed as a dependent by someone else + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. still_benefit: You could still benefit by filing a full tax return for free using GetYourRefund. title: Unfortunately, you are not eligible to use GetCTC. visit_our_faq: Visit our FAQ why_ineligible_reveal: content: list: - - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married - - You earned more than $400 in self-employment income - - You can be claimed as a dependent - - You (and your spouse if applicable) don’t have a valid SSN or ITIN - - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} - - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. - p: "Some reasons you might be ineligible to use GetCTC are:" + - You earned more than %{single_deduction} filing individually or %{joint_deduction} filing married + - You earned more than $400 in self-employment income + - You can be claimed as a dependent + - You (and your spouse if applicable) don’t have a valid SSN or ITIN + - You didn’t live in any of the 50 states or the District of Columbia for most of %{current_tax_year} + - You received more Advance Child Tax Credit payments in %{current_tax_year} than you were eligible to receive. + p: 'Some reasons you might be ineligible to use GetCTC are:' title: Why am I ineligible? verification: - body: "A message with your code has been sent to:" + body: 'A message with your code has been sent to:' error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -5456,20 +5454,20 @@ en: done_adding: Finished adding all W-2s dont_add_w2: I don't want to add my W-2 employee_info: - employee_city: "Box e: City" - employee_legal_name: "Select the legal name on the W2:" - employee_state: "Box e: State" - employee_street_address: "Box e: Employee street address or P.O. box" - employee_zip_code: "Box e: Zip code" + employee_city: 'Box e: City' + employee_legal_name: 'Select the legal name on the W2:' + employee_state: 'Box e: State' + employee_street_address: 'Box e: Employee street address or P.O. box' + employee_zip_code: 'Box e: Zip code' title: one: Let’s start by entering some basic info for %{name}. other: Let’s start by entering some basic info. employer_info: add: Add W-2 - box_d_control_number: "Box d: Control number" + box_d_control_number: 'Box d: Control number' employer_city: City - employer_ein: "Box b: Employer Identification Number (EIN)" - employer_name: "Box c: Employer Name" + employer_ein: 'Box b: Employer Identification Number (EIN)' + employer_name: 'Box c: Employer Name' employer_state: State employer_street_address: Employer street address or P.O. box employer_zip_code: Zip code @@ -5480,31 +5478,31 @@ en: other: A W-2 is an official tax form given to you by your employer. Enter all of you and your spouse’s W-2s to get the Earned Income Tax Credit and avoid delays. p2: The form you enter must have W-2 printed on top or it will not be accepted. misc_info: - box11_nonqualified_plans: "Box 11: Nonqualified plans" + box11_nonqualified_plans: 'Box 11: Nonqualified plans' box12_error: Must provide both code and value box12_value_error: Value must be numeric - box12a: "Box 12a:" - box12b: "Box 12b:" - box12c: "Box 12c:" - box12d: "Box 12d:" - box13: "Box 13: If marked on your W-2, select the matching option below" + box12a: 'Box 12a:' + box12b: 'Box 12b:' + box12c: 'Box 12c:' + box12d: 'Box 12d:' + box13: 'Box 13: If marked on your W-2, select the matching option below' box13_retirement_plan: Retirement plan box13_statutory_employee: Statutory employee box13_third_party_sick_pay: Third-party sick pay box14_error: Must provide both description and amount - box14_other: "Box 14: Other" + box14_other: 'Box 14: Other' box15_error: Must provide both state and employer's state ID number - box15_state: "Box 15: State and Employer’s State ID number" - box16_state_wages: "Box 16: State wages, tips, etc." - box17_state_income_tax: "Box 17: State income tax" - box18_local_wages: "Box 18: Local wages, tips, etc." - box19_local_income_tax: "Box 19: Local income tax" - box20_locality_name: "Box 20: Locality name" + box15_state: 'Box 15: State and Employer’s State ID number' + box16_state_wages: 'Box 16: State wages, tips, etc.' + box17_state_income_tax: 'Box 17: State income tax' + box18_local_wages: 'Box 18: Local wages, tips, etc.' + box19_local_income_tax: 'Box 19: Local income tax' + box20_locality_name: 'Box 20: Locality name' remove_this_w2: Remove this W-2 - requirement_title: "Requirement:" + requirement_title: 'Requirement:' requirements: - - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. - - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. + - The following sections of your W-2 are likely blank. Leave those boxes blank below so they match your W-2. + - For Boxes 15-20, if your W-2 is filled with information for multiple states, please only enter the first state's information. submit: Save this W-2 title: Let’s finish entering %{name}’s W-2 information. note_html: "Note: If you do not add a W-2 you will not receive the Earned Income Tax Credit. However, you can still claim the other credits if available to you." @@ -5520,19 +5518,19 @@ en: title: Please share the income from your W-2. wages: Wages wages_info: - box10_dependent_care_benefits: "Box 10: Dependent care benefits" - box3_social_security_wages: "Box 3: Social Security wages" - box4_social_security_tax_withheld: "Box 4: Social Security tax withheld" - box5_medicare_wages_and_tip_amount: "Box 5: Medicare wages and tips amount" - box6_medicare_tax_withheld: "Box 6: Medicare tax withheld" - box7_social_security_tips_amount: "Box 7: Social Security tips amount" - box8_allocated_tips: "Box 8: Allocated tips" - federal_income_tax_withheld: "Box 2: Federal Income Tax Withheld" + box10_dependent_care_benefits: 'Box 10: Dependent care benefits' + box3_social_security_wages: 'Box 3: Social Security wages' + box4_social_security_tax_withheld: 'Box 4: Social Security tax withheld' + box5_medicare_wages_and_tip_amount: 'Box 5: Medicare wages and tips amount' + box6_medicare_tax_withheld: 'Box 6: Medicare tax withheld' + box7_social_security_tips_amount: 'Box 7: Social Security tips amount' + box8_allocated_tips: 'Box 8: Allocated tips' + federal_income_tax_withheld: 'Box 2: Federal Income Tax Withheld' info_box: requirement_description_html: Please enter the information exactly as it appears on your W-2. If there are blank boxes on your W-2, please leave them blank in the boxes below as well. - requirement_title: "Requirement:" + requirement_title: 'Requirement:' title: Great! Please enter all of %{name}’s wages, tips, and taxes withheld from this W-2. - wages_amount: "Box 1: Wages Amount" + wages_amount: 'Box 1: Wages Amount' shared: ssn_not_valid_for_employment: This person's SSN card has "Not valid for employment" printed on it. (This is rare) ctc_pages: @@ -5540,21 +5538,21 @@ en: compare_benefits: ctc: list: - - Federal stimulus payments - - Child Tax Credit + - Federal stimulus payments + - Child Tax Credit note_html: If you file with GetCTC, you can file an amended return later to claim the additional credits you would have received by filing with GetYourRefund. This process can be quite difficult, and you would likely need assistance from a tax professional. - p1_html: "A household with 1 child under the age of 6 may receive an average of: $7,500" - p2_html: "A household with no children may receive an average of: $3,200" + p1_html: 'A household with 1 child under the age of 6 may receive an average of: $7,500' + p2_html: 'A household with no children may receive an average of: $3,200' gyr: list: - - Federal stimulus payments - - Child Tax Credit - - Earned Income Tax Credit - - California Earned Income Tax Credit - - Golden State Stimulus payments - - California Young Child Tax Credit - p1_html: "A household with 1 child under the age of 6 may receive an average of: $12,200" - p2_html: "A household with no children may receive an average of: $4,300" + - Federal stimulus payments + - Child Tax Credit + - Earned Income Tax Credit + - California Earned Income Tax Credit + - Golden State Stimulus payments + - California Young Child Tax Credit + p1_html: 'A household with 1 child under the age of 6 may receive an average of: $12,200' + p2_html: 'A household with no children may receive an average of: $4,300' title: Compare benefits compare_length: ctc: 30 minutes @@ -5563,12 +5561,12 @@ en: compare_required_info: ctc: list: - - Social Security or ITIN Numbers + - Social Security or ITIN Numbers gyr: list: - - Employment documents - - "(W2’s, 1099’s, etc.)" - - Social Security or ITIN Numbers + - Employment documents + - "(W2’s, 1099’s, etc.)" + - Social Security or ITIN Numbers helper_text: Documents are required for each family member on your tax return. title: Compare required information ctc: GetCTC @@ -5714,58 +5712,58 @@ en: title: GetCTC Outreach and Navigator Resources privacy_policy: 01_intro: - - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. - - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. + - GetCTC.org is a service created by Code for America Labs, Inc. ("Code for America", "we", "us", "our") to help low to moderate-income households access tax benefits, like the Advance Child Tax Credit (AdvCTC) and Economic Impact Payments through accessible tax filing services. + - This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. 02_questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} 03_overview: Overview 04_info_we_collect: Information we collect - 05_info_we_collect_details: "We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:" + 05_info_we_collect_details: 'We follow the Data Minimization principle in the collection and use of your personal information. We may collect the following information about you, your dependents, or members of your household:' 06_info_we_collect_list: - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Personal identifiers such as name, addresses, phone numbers, and email addresses - - Date of birth - - Demographic information, such as age and marital status - - Characteristics of protected classifications, such as gender, race, and ethnicity - - Tax information, such as social security number or individual taxpayer identification number (ITIN) - - State-issued identification, such as driver’s license number - - Financial information, such as employment, income and income sources - - Banking details for direct deposit of refunds - - Details of dependents - - Household information and information about your spouse, if applicable - - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Personal identifiers such as name, addresses, phone numbers, and email addresses + - Date of birth + - Demographic information, such as age and marital status + - Characteristics of protected classifications, such as gender, race, and ethnicity + - Tax information, such as social security number or individual taxpayer identification number (ITIN) + - State-issued identification, such as driver’s license number + - Financial information, such as employment, income and income sources + - Banking details for direct deposit of refunds + - Details of dependents + - Household information and information about your spouse, if applicable + - Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) 07_info_required_by_irs: We collect information as required by the IRS in Revenue Procedure “Rev RP-21-24.” - "08_how_we_collect": How we collect your information - "09_various_sources": We collect your information from various sources, such as when you or your household members + '08_how_we_collect': How we collect your information + '09_various_sources': We collect your information from various sources, such as when you or your household members 10_various_sources_list: - - Visit our Site, fill out forms on our Site, or use our Services - - Provide us with documents to use our Services - - Communicate with us (for instance through email, chat, social media, or otherwise) + - Visit our Site, fill out forms on our Site, or use our Services + - Provide us with documents to use our Services + - Communicate with us (for instance through email, chat, social media, or otherwise) 11_third_parties: We may also collect your information from third-parties such as 12_third_parties_list: - - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for - - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services + - Our partners who are assisting you with tax preparation services or any other benefit programs that you apply for + - The Internal Revenue Service (“IRS”) or other government agencies relating to our Services 13_using_information: Using information we have collected 14_using_information_details: We use your information for our business purposes and legitimate interests such as 14_using_information_list: - - To help connect you with the free tax preparation services or any other benefit programs that you apply for - - To complete forms required for use of the Services or filing of your taxes - - To provide support to you through the process and communicate with you - - To monitor and understand how the Site and our Services are used - - To improve the quality or scope of the Site or our Services - - To suggest other services or assistance programs that may be useful to you - - For fraud detection, prevention, and security purposes - - To comply with legal requirements and obligations - - For research + - To help connect you with the free tax preparation services or any other benefit programs that you apply for + - To complete forms required for use of the Services or filing of your taxes + - To provide support to you through the process and communicate with you + - To monitor and understand how the Site and our Services are used + - To improve the quality or scope of the Site or our Services + - To suggest other services or assistance programs that may be useful to you + - For fraud detection, prevention, and security purposes + - To comply with legal requirements and obligations + - For research 15_information_shared_with_others: Information shared with others 16_we_dont_sell: We do not sell your personal information. 17_disclose_to_others_details: We do not share personal information to any third party, except as provided in this Privacy Policy. We may disclose information to contractors, affiliated organizations, and/or unaffiliated third parties to provide the Services to you, to conduct our business, or to help with our business activities. For example, we may share your information with 18_disclose_to_others_list_html: - - VITA providers to help prepare and submit your tax returns - - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments - - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates - - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. + - VITA providers to help prepare and submit your tax returns + - The Internal Revenue Service (IRS) in order to help you e-file your taxes and/or other forms to qualify for the Child Tax Credit payments + - Third parties to distribute surveys, focus groups, or for other administrative, analytical, and marketing purposes. These third party communications are for the purpose the betterment of the product, to learn about the experience and to update you if you asked for updates + - Code for America has third party relationships with program and service providers who provide services on our behalf to help with our business activities. These companies are authorized to use your personal information only as necessary to provide these services to us, pursuant to written instructions. We may share your information with business partners and other third parties in order to allow them to provide you with offers or products and services that we think may benefit you. If you do not want us to share your personal information with these companies, please contact us at %{email_link}. 19_require_third_parties: We require our third parties acting on our behalf to keep your personal information secure, and do not allow these third parties to use or share your personal information for any purpose other than providing services on our behalf. 20_may_share_third_parties: We may share your information with third parties in special situations, such as when required by law, or we believe sharing will help to protect the safety, property, or rights of Code for America, the people we serve, our associates, or other persons. 21_may_share_government: We may share limited, aggregated, or personal information with government agencies, such as the IRS, to analyze the use of our Services, free tax preparation service providers, and the Child Tax Credit in order to improve and expand our Services. We will not share any information with the IRS that has not already been disclosed on your tax return or through the GetCTC website. @@ -5774,15 +5772,15 @@ en: 24_your_choices_contact_methods: Postal mail, email, and promotions 25_to_update_prefs: To update your preferences or contact information, you may 26_to_update_prefs_list_html: - - contact us at %{email_link} and request removal from the GetCTC update emails - - follow the opt-out instructions provided in emails or postal mail - - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America + - contact us at %{email_link} and request removal from the GetCTC update emails + - follow the opt-out instructions provided in emails or postal mail + - click on the “unsubscribe” hyperlink contained in our promotional emails from Code for America 27_unsubscribe_note: Please note that even if you unsubscribe from promotional email offers and updates, we may still contact you for transactional purposes. For example, we may send communications regarding your tax return status, reminders, or to alert you of additional information needed. 28_cookies: Cookies 29_cookies_details: Cookies are small text files that websites place on the computers and mobile devices of people who visit those websites. Pixel tags (also called web beacons) are small blocks of code placed on websites and emails. 30_cookies_list: - - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. - - Your use of our Sites indicates your consent to such use of Cookies. + - We use cookies and other technologies like pixel tags to remember your preferences, enhance your online experience, and to gather data on how you use our Sites to improve the way we promote our content, programs, and events. + - Your use of our Sites indicates your consent to such use of Cookies. 31_cookies_default: Most browsers are initially set up to accept HTTP cookies. If you want to restrict or block the cookies that are set by our Site, or any other site, you can do so through your browser setting. The ‘Help’ function in your browser should explain how. Alternatively, you can visit www.aboutcookies.org, which contains comprehensive information on how to do this on a wide variety of browsers. You will find general information about cookies and details on how to delete cookies from your machine. 32_sms: Transactional SMS (Text) Messages 33_sms_details_html: You may unsubscribe to transactional messages by texting STOP to 58750 at any time. After we receive your opt-out request, we will send you a final text message to confirm your opt-out. Please see GetYourRefund's SMS terms, for additional details and opt-out instructions for these services. Data obtained through the short code program will not be shared with any third-parties for their marketing reasons/purposes. @@ -5792,44 +5790,44 @@ en: 37_additional_services_details: We may provide additional links to resources we think you'll find useful. These links may lead you to sites that are not affiliated with us and/or may operate under different privacy practices. We are not responsible for the content or privacy practices of such other sites. We encourage our visitors and users to be aware when they leave our site and to read the privacy statements of any other site as we do not control how other sites collect personal information 38_how_we_protect: How we protect your information 39_how_we_protect_list: - - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. - - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. + - Protecting your personal information is extremely important to us so we take reasonable administrative, technical, and physical precautions to protect your information both online and offline. + - Still, no system can be guaranteed to be 100% secure. If you have questions about the security of your personal information, or if you have reason to believe that the personal information that we hold about you is no longer secure, please contact us immediately as described in this Privacy Notice. 40_retention: Data Retention 41_retention_list: - - "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations." - - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. + - 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations.' + - If you no longer wish to proceed with the GetCTC application and request to remove your information from our Services prior to application submission, we will delete or de-identify your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law. 42_children: Children’s privacy 43_children_details: We do not knowingly collect personal information from unemancipated minors under 16 years of age. 44_changes: Changes 45_changes_summary: We may change this Privacy Policy from time to time. Please check this page frequently for updates as your continued use of our Services after any changes in this Privacy Policy will constitute your acceptance of the changes. For material changes, we will notify you via email, or other means consistent with applicable law. 46_access_request: Your Rights 47_access_request_list_html: - - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. - - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. + - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. + - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. 47_effective_date: Effective Date 48_effective_date_info: This version of the policy is effective October 22, 2021. 49_questions: Questions 50_questions_list_html: - - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. - - "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" + - If you have an unresolved privacy or data use concern that we have not addressed satisfactorily, please contact our U.S.-based third party dispute resolution provider (free of charge) at https://feedback-form.truste.com/watchdog/request. + - 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' 51_do_our_best: We will do our best to resolve the issue. puerto_rico: hero: - - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. - - This form usually takes about 15 minutes to complete, and you won't need any tax documents. + - Collect money for any child that you take care of even if you have never filed taxes with the IRS before. You may be eligible to claim the Child Tax Credit and put cash in your family's pocket. If you're not required to file a federal return with the IRS, you can use this simplified tax filing tool to get your money. + - This form usually takes about 15 minutes to complete, and you won't need any tax documents. title: Puerto Rico, you can get Child Tax Credit for your family! what_is: body: - - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. - - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! + - This year, for the first time, families in Puerto Rico can get the full Child Tax Credit, of up to $3,600 per child. + - To claim your Child Tax Credit, you need to file a simplified form with the IRS. If you haven't already filed a federal return with the IRS, you can do it easily here! heading: Most families in Puerto Rico can get thousands of dollars from the Child Tax Credit by filing with the IRS! how_much_reveal: body: - - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. + - The Child Tax Credit for tax year 2021 is up to $3,600 per child under 6, and $3,000 per child age 6-17. title: How much will I get? qualify_reveal: body: - - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. + - Your children probably qualify if they lived with you for most of 2021, they were under 18 at the end of 2021, and they were not born in 2022. GetCTC will walk you through a few quick questions to make sure. title: Do my children qualify? puerto_rico_overview: cta: You are about to file a tax return. You are responsible for answering questions truthfully and accurately to the best of your ability. @@ -5878,8 +5876,8 @@ en: heading_open: Most families can get thousands of dollars from the third stimulus payment reveals: first_two_body_html: - - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. - - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. + - The IRS issued three rounds of stimulus payments during the COVID pandemic. Families usually received them in April 2020, December 2020, and March 2021. You can claim all or part of the third stimulus payment using GetCTC. + - If you missed any of the first or second stimulus payments, you have to file a 2020 tax return to claim them. You can file back taxes for free at GetYourRefund. first_two_title: What about the first two stimulus payments? how_much_ctc_body: The third stimulus payment was usually issued in March or April 2021, and was worth $1,400 per adult tax filer plus $1,400 per eligible dependent. If you received less than you deserved in 2021, or didn’t receive any payment at all, you can claim your missing stimulus payment by filing a simple tax return. how_much_ctc_title: How much will I get from the Child Tax Credit? @@ -5913,7 +5911,7 @@ en: title: Let’s claim someone! documents: additional_documents: - document_list_title: "Based on your earlier answers, you might have the following:" + document_list_title: 'Based on your earlier answers, you might have the following:' help_text: If you have any other documents that might be relevant, please share them with us below. It will help us better prepare your taxes! title: Please share any additional documents. employment: @@ -5940,14 +5938,14 @@ en: one: The IRS requires us to see a current drivers license, passport, or state ID. other: The IRS requires us to see a current drivers license, passport, or state ID for you and your spouse. info: We will use your ID card to verify and protect your identity in accordance with IRS guidelines. It is ok if your ID is expired or if you have a temporary drivers license as long as we can clearly view your name and photo. - need_for: "We will need an ID for:" + need_for: 'We will need an ID for:' title: one: Attach a photo of your ID card other: Attach photos of ID cards intro: info: Based on your answers to our earlier questions, we have a list of documents you should share. Your progress will be saved and you can return with more documents later. - note: "Note: If you have other documents, you will have a chance to share those as well." - should_have: "You should have the following documents:" + note: 'Note: If you have other documents, you will have a chance to share those as well.' + should_have: 'You should have the following documents:' title: Now, let's collect your tax documents! overview: empty: No documents of this type were uploaded. @@ -5968,7 +5966,7 @@ en: submit_photo: Submit a photo selfies: help_text: The IRS requires us to verify who you are for tax preparation services. - need_for_html: "We will need to see a photo with ID for:" + need_for_html: 'We will need to see a photo with ID for:' title: Share a photo of yourself holding your ID card spouse_ids: expanded_id: @@ -5982,7 +5980,7 @@ en: help_text: The IRS requires us to see an additional form of identity. We use a second form of ID to verify and protect your identity in accordance with IRS guidelines. title: Attach photos of an additional form of ID help_text: The IRS requires us to see a valid Social Security Card or ITIN Paperwork for everyone in the household for tax preparation services. - need_for: "We will need a SSN or ITIN for:" + need_for: 'We will need a SSN or ITIN for:' title: Attach photos of Social Security Card or ITIN layouts: admin: @@ -6053,7 +6051,7 @@ en: closed_open_for_login_banner_html: GetYourRefund services are closed for this tax season. We look forward to providing our free tax assistance again starting in January. For free tax prep now, you can search for a VITA location in your area. faq: faq_cta: Read our FAQ - header: "Common Tax Questions:" + header: 'Common Tax Questions:' header: Free tax filing, made simple. open_intake_post_tax_deadline_banner: Get started with GetYourRefund by %{end_of_intake} if you want to file with us in 2024. If your return is in progress, sign in and submit your documents by %{end_of_docs}. security: @@ -6083,7 +6081,7 @@ en: description: We do not knowingly collect personal information from unemancipated minors under 16 years of age. header: Children’s privacy data_retention: - description: "We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law." + description: 'We will retain your information as long as necessary to: provide Services to you, operate our business consistent with this Notice, or demonstrate compliance with laws and legal obligations. If you no longer wish to proceed with GetYourRefund and request to remove your information from our Services, we will delete your information within 90 days of when the Services are terminated unless we are required by law to retain your information. In that case, we will only retain your information as long as required by such law.' header: Data Retention description: This Privacy Policy describes how we collect, use, share, and protect your personal information. By using our Services, you agree to the terms in this Privacy Policy. This Privacy Notice applies regardless of the type of device you use to access our Services. effective_date: @@ -6107,7 +6105,7 @@ en: demographic: Demographic information, such as age and marital status device_information: Information from your computer or device, such as IP address, operating system, browser, date and time of visit, and click-stream data (the website or domain you came from, the pages you visit, and the items you click on during your session) financial_information: Financial information, such as employment, income and income sources - header: "We may collect the following information about you, your dependents, or members of your household:" + header: 'We may collect the following information about you, your dependents, or members of your household:' personal_identifiers: Personal identifiers such as name, addresses, phone numbers, and email addresses protected_classifications: Characteristics of protected classifications, such as gender, race, and ethnicity state_information: State-issued identification, such as driver’s license number @@ -6175,7 +6173,7 @@ en: c/o Code for America
      2323 Broadway
      Oakland, CA 94612-2414 - description_html: "If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:" + description_html: 'If you have any questions, comments, concerns, or complaints with the Site, please contact us by email at %{email_link} or by mail at:' header: Questions resolve: We will do our best to resolve the issue questions_html: If you have any questions or concerns about this Privacy Notice, please contact us at %{email_link} @@ -6195,9 +6193,9 @@ en: title: SMS terms stimulus: facts_html: - - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! - - Check the status of your stimulus check on the IRS Get My Payment website - - "Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639" + - Collect your 2020 stimulus check by filing your taxes through GetYourRefund! + - Check the status of your stimulus check on the IRS Get My Payment website + - 'Call the 211 Economic Impact Payment Helpline with questions: +1 (844) 322-3639' file_with_help: header: Collect your 2020 stimulus check by filing your taxes today! heading: Need assistance getting your stimulus check? @@ -6206,117 +6204,117 @@ en: eip: header: Economic Impact Payment (stimulus) check FAQs items: - - title: Will the EIP check affect my other government benefits? - content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. - - title: I still need to file a tax return. How long are the economic impact payments available? - content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. - - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? - content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. - - title: What if I am overdrawn at my bank? - content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. - - title: What if someone offers a quicker payment? - content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. + - title: Will the EIP check affect my other government benefits? + content_html: No, the EIP checks are treated as a tax credit. This means your payment will not impact the benefits you receive now or in the future. + - title: I still need to file a tax return. How long are the economic impact payments available? + content_html: These payments will continue to be available by filing a tax return. Although the official deadline is May 17, you can continue to file until October 15 via GetYourRefund.org. + - title: If I owe taxes, or have a payment agreement with the IRS, or owe other federal or state debts, will I still get the EIP? + content_html: While the stimulus payments made in 2020 were protected from garnishment, the same is not true for payments made through Rebate Recovery Credits. + - title: What if I am overdrawn at my bank? + content_html: If your bank or credit union has taken a portion of your EIP to cover money you owe them, the Consumer Financial Protection Bureau recommends calling them to ask if they are willing to be flexible. + - title: What if someone offers a quicker payment? + content_html: Don’t click on links whose origins you aren’t 100% sure of. Be wary of scams. If it looks too good to be true, it probably is. And don’t send money to someone you don’t know. Look at the fees being charged if you are paying for your tax preparation service or a refund anticipation loan by having them deducted from your refund. how_to_get_paid: header: How to get paid items: - - title: How do I get my Economic Impact Payment check? - content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. - - title: How do I determine if the IRS has sent my stimulus check? - content_html: |- - If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS - Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must - view or create an online account with the IRS. - - title: What if there are issues with my bank account information? - content_html: |- - If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the - Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. - - title: What if I haven’t filed federal taxes? - content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. - - title: What if I don’t have a bank account? - content_html: |- - If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, - sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or - Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. - - title: What if I moved since last year? - content_html: |- - The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the - IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. + - title: How do I get my Economic Impact Payment check? + content_html: If the IRS has not sent your first or second round stimulus payment yet, or if you received the wrong amount for either payment, you will need to file a 2020 tax return in order to receive it. + - title: How do I determine if the IRS has sent my stimulus check? + content_html: |- + If you are not sure if the IRS has sent your third stimulus payment or want to check the status, you can search at the IRS + Get My Payment website. To see if you received the earlier stimulus payments, and for what amount, you must + view or create an online account with the IRS. + - title: What if there are issues with my bank account information? + content_html: |- + If the IRS is not able to deposit to the account it has on record, it will mail the payment to the address it has on file. If mail is returned, the + Get My Payment tool will show a status of “more information needed” and you will have the opportunity to provide new bank information. + - title: What if I haven’t filed federal taxes? + content_html: We recommend that you file your taxes in order to access the Economic Impact Payments and any additional tax credits you may be eligible for. You can file 2018, 2019, 2020, and 2021 returns for free with GetYourRefund. + - title: What if I don’t have a bank account? + content_html: |- + If you don’t have a bank account, it could take up to five months to receive your EIP check by mail. To get your payment quickly via direct deposit, + sign up for a bank account online and add your account information when you file your return. If you don’t want to sign up for a bank account, you can link your prepaid debit card or + Cash App instead. Many of our VITA partners can also enroll you in a prepaid debit card when you file your return through GetYourRefund. + - title: What if I moved since last year? + content_html: |- + The easiest way to update your address is by filing your 2020 return with the correct address. If you have already filed with your old address, you can use the + IRS address change website to update your address. There may be delays in receiving your EIP – it could take up to five months to receive your check by mail. header: Get your Stimulus Check (EIP) intro: common_questions: We know there are many questions around the Economic Impact Payments (EIP) and we have some answers! We’ve broken down some common questions to help you out. description: - - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. - - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. + - The federal government has begun sending out the third round of Economic Impact Payments (EIPs), often called a stimulus check. In this round, individuals can receive up to $1,400 for themselves or $2,800 for a married couple filing jointly and an additional $1,400 for every dependent. + - If you have not yet received this payment or earlier rounds of payments, it is not too late! You can still claim them by filing a tax return this year. eligibility: header: Who is eligible? info: - - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. - - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. - - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. - - "The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:" + - For the first round, eligible taxpayers received an economic impact payment of up to $1,200 for individuals or $2,400 for married couples and up to $500 for each qualifying child under the age of 17. For the second round, eligible taxpayers received an economic impact payment of up to $600 for individuals or $1,200 for married couples and up to $600 for each qualifying child. + - In each round of payments, tax filers with adjusted gross income up to $75,000 for individuals, up to $112,500 for those filing as head of household, or up to $150,000 for married couples filing joint returns receive the full payment. For filers with income above those amounts, the payment amount phases down gradually. + - In the first two rounds of payments, only children under age 17 could be claimed for the dependent payment. Other dependents were not eligible—and also could not claim the EIP themselves. In the third round of payments, all dependents, including college students and adult dependents can be claimed. In addition, as discussed below, some children in mixed-immigration status households who were previously ineligible, can receive the third payment. + - 'The IRS made the first two rounds of payments based on the information it had from 2018 or 2019 tax returns. If you are eligible for a larger payment based on your 2020 information, you can claim that credit when you file your 2020 return. For example:' info_last_html: - - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. - - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. + - To claim this credit, you will need to report how much you received from the two EIPs in 2020. However, you will not have to repay the stimulus payments you received if your income went up in 2020 or the number of dependents you claimed went down. You will need to complete the Recovery Rebate Credit Worksheet for line 30 of the 2020 1040 tax form. We can assist you with these forms if you file your return through GetYourRefund. + - If you have any earned income or dependents, you may be able to access additional tax credits or benefits by filing or updating your info with the IRS. Please reach out via chat for more information. list: - - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. - - You had a new baby in 2020. - - You could be claimed as someone else’s dependent in 2019, but not in 2020. - - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. + - You only got a partial payment due to the phase out, but you lost your job due to COVID-19 and your income was lower in 2020 than in 2019. + - You had a new baby in 2020. + - You could be claimed as someone else’s dependent in 2019, but not in 2020. + - You were not required to file a tax return in 2018 or 2019, and missed the deadline for using the non-filers portal to claim the payments. irs_info_html: The IRS will post all key information on %{irs_eip_link} as soon as it becomes available. last_updated: Updated on April 6, 2021 mixed_status_eligibility: header: Are mixed immigration status families eligible? info_html: - - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. - - |- - For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the - form I-7 and required documentation with your tax return, or by bringing the form and documentation to a - Certified Acceptance Agent. + - Originally, mixed status families were not eligible for the first round of payments. However, now mixed status families can claim both the first and second round of payments on this year’s tax return. For the second round of payments, if you jointly file with your spouse and only one of you has a valid Social Security Number, the spouse with the valid SSN will receive up to $600 and up to $600 for any qualifying children with SSNs. However, the spouse without a valid SSN is not eligible. The same rules now apply for the first round of payments as well. + - |- + For the third round of payments, taxpayers who file with Individual Taxpayer Identification Numbers (ITINs) can claim the EIP for their dependents who have Social Security Numbers. You may obtain an ITIN by filing the + form I-7 and required documentation with your tax return, or by bringing the form and documentation to a + Certified Acceptance Agent. title: Stimulus Payment tax_questions: cannot_answer: different_services: Questions about taxes filed with a different service (H&R Block, TurboTax) - header: "We can not answer:" + header: 'We can not answer:' refund_amounts: The amount of refund you will receive header: Let's try to answer your tax questions! see_faq: Please see our FAQ @@ -6348,7 +6346,7 @@ en: title: Wow, it looks like we are at capacity right now. warning_html: "A friendly reminder that the filing deadline is %{tax_deadline}. We recommend filing as soon as possible." backtaxes: - select_all_that_apply: "Select all the years you would like to file for:" + select_all_that_apply: 'Select all the years you would like to file for:' title: Which of the following years would you like to file for? balance_payment: title: If you have a balance due, would you like to make a payment directly from your bank account? @@ -6583,7 +6581,7 @@ en: consent_to_disclose_html: Consent to Disclose: You allow us to send tax information to the tax software company and financial institution you specify (if any). consent_to_use_html: Consent to Use: You allow us to count your return in reports. global_carryforward_html: Global Carryforward: You allow us to make your tax return information available to other VITA programs you may visit. - help_text_html: "We respect your privacy. You have the option to consent to the following:" + help_text_html: 'We respect your privacy. You have the option to consent to the following:' legal_details_html: |

      Federal law requires these consent forms be provided to you. Unless authorized by law, we cannot disclose your tax return information to third parties for purposes other than the preparation and filing of your tax return without your consent. If you consent to the disclosure of your tax return information, Federal law may not protect your tax return information from further use or distribution.

      @@ -6712,7 +6710,7 @@ en: other: In %{year}, did you or your spouse pay any student loan interest? successfully_submitted: additional_text: Please save this number for your records and future reference. - client_id: "Client ID number: %{client_id}" + client_id: 'Client ID number: %{client_id}' next_steps: confirmation_message: You will receive a confirmation message shortly header: Next Steps @@ -6732,7 +6730,7 @@ en: one: Have you had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? other: Have you or your spouse had the Earned Income Credit, Child Tax Credit, American Opportunity Credit, or Head of Household filing status disallowed in a prior year? verification: - body: "A message with your code has been sent to:" + body: 'A message with your code has been sent to:' error_message: Incorrect verification code. title: Let's verify that contact info with a code! verification_code_label: Enter 6 digit code @@ -6763,55 +6761,55 @@ en: consent_agreement: details: header: The Details - intro: "This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review." + intro: 'This site is using 100% Virtual VITA/TCE Process: This method includes non-face-to-face interactions with the taxpayer and any of the VITA/TCE volunteers during the intake, interview, return preparation, quality review, and signing the tax return. The taxpayer will be explained the full process and is required to consent to step-by-step process used by the site. This includes the virtual procedures to send required documents (social security numbers, Form W-2 and other documents) through a secured file sharing system to a designated volunteer for review.' sections: - - header: Overview - content: - - I understand that VITA is a free tax program that protects my civil rights. - - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. - - header: Securing Taxpayer Consent Agreement - content: - - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. - - header: Performing the Intake Process (Secure All Documents) - content: - - "Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured." - - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. - - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) - content: - - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. - - header: Performing the interview with the taxpayer(s) - content: - - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. - - header: Preparing the tax return - content: - - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. - - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. - - header: Performing the quality review - content: - - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. - - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. - - header: Sharing the completed return - content: - - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. - - header: Signing the return - content: - - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. - - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. - - header: E-filing the tax return - content: - - I understand that GetYourRefund will e-file my tax return with the IRS. - - header: Request to Review your Tax Return for Accuracy - content: - - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. - - header: Virtual Consent Disclosure - content: - - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. - - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. - - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. - - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. - - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. - - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. - - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. + - header: Overview + content: + - I understand that VITA is a free tax program that protects my civil rights. + - I understand that GetYourRefund.org is a website run by Code for America, a non-profit organization, that will submit your tax information to a VITA preparation site. + - header: Securing Taxpayer Consent Agreement + content: + - I understand that selecting "I agree" provides my consent to the GetYourRefund tax prep process. + - header: Performing the Intake Process (Secure All Documents) + content: + - 'Intake process: GetYourRefund will collect your information and documentation through the intake process in order to accurately prepare your tax return. All documents will be uploaded in the system and secured.' + - I understand that I must provide all required information/documentation necessary to prepare an accurate tax return. + - header: Validating Taxpayer's Authentication (Reviewing photo identification and Social Security Cards/ITINS) + content: + - I understand that this site collects personally identifiable information I provide (social security numbers, Form W-2 and/or 1099, picture identification, and other documents) in order to prepare and quality review my tax return. Identity is validated by review of photo identification, proof of social security number or ITIN, and a photo of you holding your identification. + - header: Performing the interview with the taxpayer(s) + content: + - I understand that I will need to participate in an Intake Interview via phone in order to have a VITA preparation site file my taxes. + - header: Preparing the tax return + content: + - Return Preparation Process - GetYourRefund will use your information/documentation to complete a tax return. + - I understand that I may be contacted for additional information using a contact preference I provide. If the preparer has everything required to prepare the return, I will not be contacted until the return is completed. + - header: Performing the quality review + content: + - I understand that I will need to participate in a Quality Review via phone in order to have a VITA preparation site file my taxes. + - I understand I need to review my completed tax return to ensure the names, social security numbers, address, banking information, income, and expenses are correct to the best of my knowledge. + - header: Sharing the completed return + content: + - Quality Review Process - GetYourRefund will provide you with your return to review for accuracy prior to submission. + - header: Signing the return + content: + - I understand that I will need to sign Form 8879, IRS e-file Signature Authorization, through an electronic signature delivered via email after Quality Review is completed in order for a VITA preparation site to e-file my tax return. + - I understand that me and my spouse (if applicable) are ultimately responsible for all of the information provided to GetYourRefund. + - header: E-filing the tax return + content: + - I understand that GetYourRefund will e-file my tax return with the IRS. + - header: Request to Review your Tax Return for Accuracy + content: + - To ensure you are receiving quality services and an accurately prepared tax return at the volunteer site, IRS employees randomly select free tax preparation sites for review. If errors are identified, the site will make the necessary corrections. IRS does not keep any personal information from your reviewed tax return and this allows them to rate our VITA/TCE return preparation programs for accurately prepared tax returns. By consenting to the service, you consent to having your return reviewed for accuracy by an IRS employee if the site preparing this return is selected for a review. + - header: Virtual Consent Disclosure + content: + - If you agree to have your tax return prepared and your tax documents handled in the above manner, your signature and/or agreement is required on this document. Signing this document means that you are agreeing to the procedures stated above for preparing a tax return for you. (If this is a Married Filing Joint return both spouses must sign and date this document.) If you choose not to sign this form, we may not be able to prepare your tax return using this process. Since we are preparing your tax return virtually, we have to secure your consent agreeing to this process. + - If you consent to use these non-IRS virtual systems to disclose or use your tax return information, Federal law may not protect your tax return information from further use or distribution in the event these systems are hacked or breached without our knowledge. + - If you agree to the disclosure of your tax return information, your consent is valid for the amount of time that you specify. If you do not specify the duration of your consent, your consent is valid for one year from the date of signature. + - If you believe your tax return information has been disclosed or used improperly in a manner unauthorized by law or without your permission, you may contact the Treasury Inspector General for Tax Administration (TIGTA) by telephone at 1-800-366-4484, or by e-mail at complaints@tigta.treas.gov. + - While the IRS is responsible for providing oversight requirements to Volunteer Income Tax Assistance (VITA) and Tax Counseling for the Elderly (TCE) programs, these sites are operated by IRS sponsored partners who manage IRS site operations requirements and volunteer ethical standards. In addition, the locations of these sites may not be in or on federal property. + - By signing below, you and your spouse (if applicable) agree to participate in the process and consent to allow GetYourRefund to assist you with your taxes. You agree to the terms of the GetYourRefund privacy policy at www.GetYourRefund.org/privacy. + - This consent form replaces IRS Form 14446-Virtual VITA/TCE Taxpayer Consent. A copy of this consent will be retained on site, as required by the IRS. site_process_header: The GetYourRefund Site Process information_you_provide: You understand the information you provide this site (GetYourRefund.org) is sent to a Volunteer Income Tax Assistance (VITA) preparation site in order for an IRS-certified volunteer to review your information, conduct an intake interview on the phone, prepare the tax return, and perform a quality review before filing your taxes. proceed_and_confirm: By proceeding, you confirm that the following statements are true and complete to the best of your knowledge. @@ -6832,13 +6830,13 @@ en: grayscale_partner_logo: provider_homepage: "%{provider_name} Homepage" progress_bar: - progress_text: "Intake progress:" + progress_text: 'Intake progress:' service_comparison: additional_benefits: Additional benefits all_services: All services provide email support and are available in English and Spanish. chat_support: Chat support filing_years: - title: "Filing years:" + title: 'Filing years:' id_documents: diy: ID numbers full_service: Photo @@ -6849,7 +6847,7 @@ en: direct_file: Most filers under $200,000 diy: under $84,000 full_service: under $67,000 - title: "Income guidance:" + title: 'Income guidance:' itin_assistance: ITIN application assistance mobile_friendly: Mobile-friendly required_information: Required information @@ -6885,7 +6883,7 @@ en: diy: 45 minutes full_service: 2-3 weeks subtitle: IRS payment processing times vary 3-6 weeks - title: "Length of time to file:" + title: 'Length of time to file:' title_html: Free tax filing for households that qualify.
      Find the tax service that’s right for you! triage_link_text: Answer a few simple questions and we'll recommend the right service for you! vita: IRS-certified VITA tax team From 584513ab944e159e1e3439a24a774970f92adbe8 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 15:11:24 -0500 Subject: [PATCH 14/18] use translations for error message Co-authored-by: Hugo Melo --- app/models/concerns/date_accessible.rb | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index 9520540e99..82f709ccfa 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -69,7 +69,7 @@ def self.date_writer(*properties) define_method("#{property}_date_valid") do date = send(property) if date.present? && !Date.valid_date?(date.year, date.month, date.day) - errors.add(property, :invalid_date, message: "is not a valid calendar date") + errors.add(:date_of_contribution, :invalid_date, message: I18n.t("activerecord.errors.models.az321_contribution.attributes.date_of_contribution.inclusion")) end end end From a3199978974a4268468d333dc3ba253e1d44d901 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 15:15:45 -0500 Subject: [PATCH 15/18] Revert unrelated translations Co-authored-by: Hugo Melo --- config/locales/en.yml | 37 ++++++++++++++++++++++--------------- 1 file changed, 22 insertions(+), 15 deletions(-) diff --git a/config/locales/en.yml b/config/locales/en.yml index 47d5fbd059..3f4611fcba 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -1533,8 +1533,15 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' - sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! Make sure to pay your state taxes by April 15 at %{state_pay_taxes_link} if you have not paid via direct deposit or check. \n\nDownload your return at %{return_status_link}\n\nQuestions? Email us at help@fileyourstatetaxes.org.\n" + subject: "%{state_name} State Return Accepted- Payment Due" + sms: | + Hi %{primary_first_name} - Your %{state_name} state tax return has been accepted and a payment is due. + + If you haven't submited your payment via direct debit, please do so by April 15 at %{state_pay_taxes_link}. Any amount not paid by the filing deadline could add extra penalties and fees. + + Download your return at %{return_status_link} + + Need help? Email us at help@fileyourstatetaxes.org accepted_refund: email: body: | @@ -1546,8 +1553,8 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Accepted' - sms: "Hi %{primary_first_name} - %{state_name} accepted your state tax return! You can expect to receive your refund as soon as %{state_name} approves your refund amount. \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" + subject: "%{state_name} State Return Accepted" + sms: "Hi %{primary_first_name} - Good news, %{state_name} accepted your state tax return! \n\nDownload your return and check your refund status at %{return_status_link}\n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" df_transfer_issue_message: email: body: | @@ -1606,7 +1613,7 @@ en: Best, The FileYourStateTaxes team - subject: 'Final Reminder: FileYourStateTaxes closes April 25.' + subject: Make sure to finish filing your state taxes as soon as possible sms: | Hi %{primary_first_name} - You haven't submitted your state tax return yet. Make sure to submit your state taxes as soon as possible to avoid late filing fees. Go to fileyourstatetaxes.org/en/login-options to finish them now. Need help? Email us at help@fileyourstatetaxes.org. @@ -1656,7 +1663,7 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected. Action Needed' + subject: 'Action Needed: %{state_name} State Return Rejected' sms: | Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return. Don't worry! We can help you fix and resubmit it at %{return_status_link}. @@ -1672,8 +1679,8 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: Your %{state_name} state tax return is taking longer than expected' - sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Questions? Email us at help@fileyourstatetaxes.org. + subject: Your %{state_name} state tax return is taking longer than expected + sms: Hi %{primary_first_name} - It's taking longer than expected to process your state tax return. Don't worry! We'll let you know as soon as we know your return status. You don't need to do anything right now. Need help? Email us at help@fileyourstatetaxes.org. successful_submission: email: body: | @@ -1688,7 +1695,7 @@ en: Best, The FileYourStateTaxes team resubmitted: resubmitted - subject: 'FileYourStateTaxes Update: %{state_name} State Return Submitted' + subject: "%{state_name} State Return Submitted" submitted: submitted sms: Hi %{primary_first_name} - You successfully %{submitted_or_resubmitted} your %{state_name} state tax return! We'll update you in 1-2 days on the status of your return. You can download your return and check the status at %{return_status_link}. Need help? Email us at help@fileyourstatetaxes.org. survey_notification: @@ -1715,8 +1722,8 @@ en: Best, The FileYourStateTaxes team - subject: 'FileYourStateTaxes Update: %{state_name} State Return Rejected.' - sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our tool. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nQuestions? Reply to this text.\n" + subject: "%{state_name} State Return Rejected." + sms: "Hi %{primary_first_name} - Unfortunately, %{state_name} rejected your state tax return for an issue that cannot be resolved on our service. Don't worry! We can help provide guidance on next steps. Chat with us at %{return_status_link}. \n\nNeed help? Email us at help@fileyourstatetaxes.org.\n" welcome: email: body: | @@ -3001,7 +3008,7 @@ en: health_insurance_premium_question: one: Did you pay health insurance premiums for yourself in %{year}? other: Did you pay health insurance premiums for yourself and your household in %{year}? - medicaid_content: Yes, if you are on Medicaid, your health insurance premium counts.  Check your monthly letter from the Idaho Department of Health and Welfare for your premium amount. It could be as low as $0, depending on your income and other factors. + medicaid_content: Yes, if you are on Medicaid, your health insurance premium counts. Check your monthly letter from the Idaho Department of Health and Welfare for your premium amount. It could be as low as $0, depending on your income and other factors. medicaid_title: Do Medicaid and Medicare payments count? qualifications_content_html: | You can deduct health insurance premiums paid for yourself, your spouse, and your dependents, including medical, dental, and vision, as long as they haven’t been deducted from your income pre-tax. @@ -3962,7 +3969,7 @@ en: direct_debit_html: If you have a remaining tax balance, remember to pay it online at %{tax_payment_info_text} or by mail before the April 15 filing deadline. download_voucher: Download and print the completed payment voucher. feedback: We value your feedback—let us know what you think of this service. - include_payment: You'll need to include the payment voucher form. + include_payment: Fill out your payment voucher mail_voucher_and_payment: 'Mail the voucher form and payment to:' md: refund_details_html: | @@ -4076,7 +4083,7 @@ en: bank_title: 'Please provide your bank details:' confirm_account_number: Confirm Account Number confirm_routing_number: Confirm Routing Number - date_withdraw_text: 'When would you like the funds withdrawn from your account? (Must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' + date_withdraw_text: 'When would you like the funds withdrawn from your account? (must be on or before %{withdrawal_deadline_date}, %{with_drawal_deadline_year}):' foreign_accounts: Foreign accounts are not accepted routing_number: Routing Number withdraw_amount: How much do you authorize to be withdrawn from your account? (Your total amount due is: $%{owed_amount}.) @@ -5802,7 +5809,7 @@ en: 45_changes_summary: We may change this Privacy Policy from time to time. Please check this page frequently for updates as your continued use of our Services after any changes in this Privacy Policy will constitute your acceptance of the changes. For material changes, we will notify you via email, or other means consistent with applicable law. 46_access_request: Your Rights 47_access_request_list_html: - - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. + - GetCTC.org respects your control over your information and, upon request, we will confirm whether we hold or are processing information that we have collected from you. You also have the right to amend or update inaccurate or incomplete personal information, request a portable copy or deletion of your personal information, or request that we no longer use it. Under certain circumstances we will not be able to fulfill your request, such as if it interferes with our regulatory obligations, affects legal matters, we cannot verify your identity, or it involves disproportionate cost or effort, but in any event we will respond to your request within a reasonable timeframe and provide you an explanation. In order to make such a request of us, please email us at %{email_link}. - Please note that for personal information about you that we have obtained or received for processing on behalf of a separate, unaffiliated entity--which determined the means and purposes of processing, all such requests should be made to that entity directly. We will honor and support any instructions they provide us with respect to your personal information. 47_effective_date: Effective Date 48_effective_date_info: This version of the policy is effective October 22, 2021. From f487d7ff3c6e389f8de190d2a80a4d139e547d16 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Thu, 20 Feb 2025 15:42:15 -0500 Subject: [PATCH 16/18] empty commit for deploy Co-authored-by: Hugo Melo From 1bef60858b60a4681fcc80774d1d24afe7459dde Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Fri, 21 Feb 2025 10:39:09 -0500 Subject: [PATCH 17/18] Consistently lint Co-authored-by: Hugo Melo --- config/locales/es.yml | 100 +++++++++++++++++++++++++++++------------- 1 file changed, 69 insertions(+), 31 deletions(-) diff --git a/config/locales/es.yml b/config/locales/es.yml index 9dc609a5ed..82dad66fa7 100644 --- a/config/locales/es.yml +++ b/config/locales/es.yml @@ -1506,14 +1506,41 @@ es: state_file: accepted_owe: email: - body: "Hola %{primary_first_name},\n\n¡%{state_name} aceptó tu declaración de impuestos estatales! Asegúrate de pagar tus impuestos estatales antes del 15 de abril en %{state_pay_taxes_link} si no los pagaste mediante débito directo al presentar tu declaración.\n\nDescarga tu declaración en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada' - sms: "Hola %{primary_first_name} - %{state_name}¡Acepté su declaración de impuestos estatales! Asegúrese de pagar sus impuestos estatales antes del 15 de abril al %{state_pay_taxes_link} si no ha pagado mediante depósito directo o cheque. \n\n\nDescarga tu declaración en %{return_status_link}\n\n¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" + body: | + Hola %{primary_first_name}, + + Tu declaración de impuestos estatales de %{state_name} ha sido aceptada y hay un pago pendiente. + + Si no pagaste ya mediante débito directo al presentar tu declaración, por favor, haz tu pago antes del 15 de abril visitando %{state_pay_taxes_link}. Cualquier cantidad no pagada antes de la fecha límite de presentación podría significar multas y costos adicionales. + + Descarga tu declaración visitando %{return_status_link}. + + ¿Necesitas ayuda? Responde a este correo. + + Atentamente, + El equipo de FileYourStateTaxes + subject: Declaración de impuestos del estado %{state_name} aceptada - Pago pendiente + sms: | + Hola %{primary_first_name} - Tu declaración de impuestos estatales de %{state_name} ha sido aceptada y hay un pago pendiente. + + Sino has hecho tu pago mediante débito directo, por favor hazlo antes del 15 de abril en %{state_pay_taxes_link}. + + Cualquier cantidad no pagada antes de la fecha límite de presentación podría significar multas y costos adicionales. + + Descarga tu declaración en %{return_status_link} + + ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org accepted_refund: email: - body: "Hola %{primary_first_name},\n\n¡%{state_name} ha aceptado tu declaración de impuestos estatales! Puedes esperar recibir tu reembolso tan pronto como %{state_name} apruebe la cantidad de tu reembolso.\n\nDescarga tu declaración y verifica el estado de tu reembolso en %{return_status_link}.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Aceptada' - sms: "Hola %{primary_first_name} - %{state_name} ¡Acepté su declaración de impuestos estatales! Puede esperar recibir su reembolso tan pronto como %{state_name} apruebe el monto de su reembolso. \n\nDescargue su devolución y verifique el estado de su reembolso en %{return_status_link}\n\n¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org.\n" + body: | + Hola %{primary_first_name}, + + ¡Tu declaración de impuestos estatales de %{state_name} ha sido aceptada! Descarga tu declaración y verifica el estado de tu reembolso visitando %{return_status_link}. + + Atentamente, + El equipo de FileYourStateTaxes + subject: Declaración de impuestos estatales de %{state_name} aceptada + sms: "Hola %{primary_first_name} - Buenas noticias, ¡%{state_name} ha aceptado tu declaración de impuestos estatales! \n\nDescarga tu declaración y verifica el estado de tu reembolso en %{return_status_link}\n\n¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org.\"\n" df_transfer_issue_message: email: body: | @@ -1567,7 +1594,7 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: 'Recordatorio final: FileYourStateTaxes cerrará el 25 de abril.' + subject: Recuerda completar tu declaración de impuestos estatales lo antes posible sms: | Hola %{primary_first_name} - Aún no has enviado tu declaración de impuestos estatales. Asegúrate de presentar tus impuestos estatales lo antes posible para evitar multas por declarar tarde. Ve a fileyourstatetaxes.org/es/login-options para completar tu declaración ahora. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. @@ -1606,8 +1633,16 @@ es: sms: Hola %{primary_first_name} - Te recordamos que tu declaración de impuestos estatales de %{state_name} fue rechazada. Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. Asegúrate de tomar acción lo más pronto posible para evitar costos extra por declarar tarde. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. rejected: email: - body: "Hola %{primary_first_name},\n\nLamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}.\n\n¿Preguntas? Responde a este correo electrónico.\n\nSaludos, \nEl equipo de FileYourStateTaxes\n" - subject: 'Actualización de FileYourStateTaxes: Declaración Estatal de %{state_name} Rechazada. Acción Necesaria.' + body: | + Hola %{primary_first_name}, + + Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. + + ¿Necesitas ayuda? Responde a este correo electrónico. + + Atentamente, + El equipo de FileYourStateTaxes + subject: 'Acción necesaria: La declaración de Impuestos Estatales de %{state_name} fue rechazada.' sms: | Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales. ¡No te preocupes! Podemos ayudarte a corregirla y volver a enviarla en %{return_status_link}. @@ -1623,8 +1658,8 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: 'Actualización de FileYourStateTaxes: La declaración de impuestos estatales de %{state_name} está tardando más de lo esperado' - sms: Hola %{primary_first_name} - Está tardando más de lo esperado procesar su declaración de impuestos estatales. ¡No te preocupes! Le informaremos tan pronto como sepamos el estado de su devolución. No necesitas hacer nada ahora. ¿Preguntas? Envíenos un correo electrónico a help@fileyourstatetaxes.org. + subject: Tu declaración de impuestos del estado %{state_name} está tardando más de lo esperado + sms: Hola %{primary_first_name} - Procesar tu declaración de impuestos estatales está tardando más de lo esperado . ¡No te preocupes! Te avisaremos apenas tengamos actualizaciones del estado de tu declaración. No necesitas hacer nada en este momento. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. successful_submission: email: body: | @@ -1638,10 +1673,10 @@ es: Atentamente, El equipo de FileYourStateTaxes - resubmitted: Reenvió - subject: 'Actualización de FileYourStateTaxes: %{state_name} Declaración estatal enviada' - submitted: Envió - sms: Hola %{primary_first_name} - ¡Has %{submitted_or_resubmitted} tu %{state_name} declaración de impuestos estatales! Le informaremos en 1 o 2 días sobre el estado de su devolución. Puedes descargar tu declaración y consultar el estado en %{return_status_link}. ¿Necesitar ayuda? Envíenos un correo electrónico a help@fileyourstatetaxes.org. + resubmitted: vuelto a enviar + subject: Declaración de impuestos estatales de %{state_name} enviada + submitted: enviado + sms: Hola %{primary_first_name} - ¡Has %{submitted_or_resubmitted} con éxito tu declaración de impuestos estatales de %{state_name}! Te actualizaremos en 1-2 días sobre el estado de tu declaración. Puedes descargar y verificar el estado de tu declaración en %{return_status_link}. ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. survey_notification: email: body: | @@ -1666,8 +1701,11 @@ es: Atentamente, El equipo de FileYourStateTaxes - subject: 'Actualización de FileYourStateTaxes: La Declaración de Impuestos Estatales de %{state_name}.' - sms: "Hola %{primary_first_name} - Lamentablemente, %{state_name} rechazó tu declaración de impuestos estatales por un problema que no se puede resolver en nuestra herramienta. ¡No te preocupes! Podemos ayudarte a brindar orientación sobre los próximos pasos. Chatea con nosotros en %{return_status_link}. \n\n¿Tienes preguntas? Responde a este texto.\n" + subject: Declaración de impuestos estatales de %{state_name} rechazada + sms: | + Hola, %{primary_first_name}: Lamentablemente, %{state_name} ha rechazado tu declaración de impuestos estatales debido a un problema que no se puede resolver a través de nuestro servicio. ¡No te preocupes! Podemos darte orientación sobre los siguientes pasos. Chatea con nosotros en %{return_status_link}. + + ¿Necesitas ayuda? Envíanos un email a help@fileyourstatetaxes.org. welcome: email: body: | @@ -2113,7 +2151,7 @@ es:
    • Medicaid (NJ FamilyCare)

    Aquí está la lista completa de opciones de seguro que tienen cobertura mínima esencial (en inglés)

    -

    Debes responder no si tú o alguien en tu hogar solo tuvo plan de visión o dental independientes, cobertura de compensación laboral o un plan limitado a una enfermedad o dolencia específica. En New Jersey, a partir de 2018, necesitas cobertura mínima esencial, o podrías tener que pagar impuestos adicionales.

    +

    Debes responder no si tú o alguien en tu hogar solo tuvo plan de visión o dental independientes, cobertura de compensación laboral o un plan limitado a una enfermedad o dolencia específica. En New Jersey, a partir de 2018, necesitas cobertura mínima esencial, o podrías tener que pagar impuestos adicionales.

    register_to_vote: Regístrate para votar see_detailed_return: Ver información detallada de la declaración standard_deduction: Deducción estándar @@ -2169,7 +2207,7 @@ es:
  • El formulario 1099-G (si recibiste beneficios de desempleo en %{filing_year})
  • Los números de ruta y cuenta bancaria (si deseas recibir tu reembolso o hacer un pago de impuestos electrónicamente)
  • - help_text_title: "¿Qué necesito para completar mi declaración de impuestos estatales?" + help_text_title: "¿Qué necesito para completar mi declaración de impuestos estatales?" id: closed_html: | Ya cerramos por esta temporada de impuestos.

    @@ -2417,7 +2455,7 @@ es: one: "¿Cuánto recibiste en salario por servicio activo?" other: "¿Cuánto recibiste tú o tu cónyuge en salario por servicio activo?" learn_more_content_html: | - Si eres miembro de las Fuerzas Armadas de Estados Unidos, ingresa el salario que recibiste por servicio activo que reportaste en declaración de impuestos federales.

    + Si eres miembro de las Fuerzas Armadas de Estados Unidos, ingresa el salario que recibiste por servicio activo que reportaste en declaración de impuestos federales.

    Si eres miembro de la Reserva o la Guardia Nacional, ingresa el salario que recibiste por entrenamientos durante fines de semana o de dos semanas que hayas reportado en tu declaración de impuestos federal.

    No puedes incluir ningún ingreso que hayas recibido por empleo a tiempo completo en el servicio civil como "técnico militar (doble estatus)". learn_more_title: Obtener más información @@ -3025,7 +3063,7 @@ es: review_and_edit_state_info: Revisar y editar la información estatal ssa_title: Beneficios del Seguro Social (SSA-1099) state_info_to_be_collected: Información estatal que se recogerá - title: Estos son los formularios de ingresos que transferimos de tu declaración de impuestos federales. + title: Estos son los formularios de ingresos que transferimos de tu declaración de impuestos federales. unemployment_title: Beneficios de desempleo (1099-G) w2s_title: Empleos (W-2) warning: "⚠️ Necesitamos verificar de nuevo cierta información" @@ -3861,8 +3899,8 @@ es: title: 'Selecciona tu estado de residencia en la ciudad de Nueva York durante el %{year}:' pending_federal_return: edit: - body_html: Lamentamos hacerte esperar.

    Recibirás un correo electrónico de IRS Direct File cuando tu declaración de impuestos federales sea aceptada, con un enlace para traerte de regreso aquí. Revisa tu carpeta de spam. - title: Tu declaración de impuestos federales debe ser aceptada antes de que puedas presentar tu declaración de impuestos estatales + body_html: Lamentamos hacerte esperar.

    Recibirás un correo electrónico de IRS Direct File cuando tu declaración de impuestos federales sea aceptada, con un enlace para traerte de regreso aquí. Revisa tu carpeta de spam. + title: Tu declaración de impuestos federales debe ser aceptada antes de que puedas presentar tu declaración de impuestos estatales phone_number: edit: action: Enviar el código @@ -3917,7 +3955,7 @@ es: direct_debit_html: Si tienes un saldo de impuestos pendiente, recuerda pagarlo en línea en %{tax_payment_info_text} o por correo antes de la fecha límite de declaración que es el 15 de abril. download_voucher: Descarga e imprime el formulario de comprobante de pago completado. feedback: Valoramos sus comentarios; háganos saber lo que piensa de esta herramienta. - include_payment: Incluir el formulario de comprobante de pago. + include_payment: Completa el formulario de comprobante de pago mail_voucher_and_payment: 'Envía el formulario de comprobante de pago y tu pago por correo postal a:' md: refund_details_html: | @@ -5765,7 +5803,7 @@ es: 45_changes_summary: Es posible que modifiquemos esta Política de Privacidad de vez en cuando. Por favor, revise esta página con frecuencia para ver si hay actualizaciones, ya que su uso continuado de nuestros Servicios después de cualquier cambio en esta Política de Privacidad constituirá su aceptación de los cambios. En el caso de cambios sustanciales, se lo notificaremos por correo electrónico o por otros medios compatibles con la legislación aplicable. 46_access_request: Tus derechos 47_access_request_list_html: - - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, a solicitar la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. + - GetCTC.org respeta el control que usted ejerce sobre su información y, si lo solicita, le confirmaremos si tenemos o estamos procesando la información que hemos recopilado de usted. También tiene derecho a modificar o corregir la información personal inexacta o incompleta, solicitar una copia portable o la eliminación de su información personal o a pedir que dejemos de utilizarla. En determinadas circunstancias no podremos atender su solicitud, como por ejemplo si interfiere con nuestras obligaciones reglamentarias, afecta a asuntos legales, no podemos verificar su identidad o supone un costo o esfuerzo desproporcionado, pero en cualquier caso responderemos a su solicitud en un plazo razonable y le daremos una explicación. Para hacernos una solicitud de este tipo, envíenos un correo electrónico a %{email_link}. - Favor de tener en cuenta que, en el caso de la información personal sobre usted que hayamos obtenido o recibido para su utilización en nombre de una entidad independiente y no afiliada, que haya determinado los medios y los fines del tratamiento, todas las solicitudes de este tipo deberán dirigirse directamente a dicha entidad. Respetaremos y apoyaremos cualquier instrucción que nos proporcionen con respecto a su información personal. 47_effective_date: Fecha de vigencia 48_effective_date_info: Esta versión de la política entrará en vigor a partir del 22 de octubre de 2021. @@ -6285,7 +6323,7 @@ es: title: Pago de estímulo tax_questions: cannot_answer: - different_services: Preguntas sobre los impuestos declarados mediante otro servicio (p. ej., H&R Block o TurboTax) + different_services: Preguntas sobre los impuestos declarados mediante otro servicio (p. ej., H&R Block o TurboTax) header: 'No podemos responder a lo siguiente:' refund_amounts: El monto del reembolso que recibirá header: "¡Tratemos de responder a sus preguntas sobre los impuestos!" @@ -6916,14 +6954,14 @@ es: enter_zip: Ingrese su código postal para encontrar proveedores cercanos. header: Obtenga ayuda gratuita en declarar sus impuestos info: Los programas de Asistencia Voluntaria al Contribuyente (VITA, por sus siglas en inglés) del IRS ofrecen ayuda con los impuestos gratis, a los contribuyentes que califiquen. - no_results: "¡Disculpe! No hemos encontrado ningún resultado dentro de 50 millas de su dirección." - results: Hemos encontrado %{total_entries} resultados dentro de 50 millas de %{zip} + no_results: "¡Disculpe! No hemos encontrado ningún resultado dentro de 50 millas de su dirección." + results: Hemos encontrado %{total_entries} resultados dentro de 50 millas de %{zip} search: header: Ingrese su código postal para encontrar proveedores cercanos. - no_results: No hemos encontrado ningún resultado dentro de 50 millas de %{zip} (%{zip_name}). + no_results: No hemos encontrado ningún resultado dentro de 50 millas de %{zip} (%{zip_name}). placeholder: Ingrese su código postal prepare_your_own_html: También puede preparar su propia declaración de impuestos utilizando el %{free_file_link} para encontrar una manera gratuita de hacerlo en línea. - results: Hemos encontrado %{total_entries} resultados dentro de 50 millas de %{zip} (%{zip_name}). + results: Hemos encontrado %{total_entries} resultados dentro de 50 millas de %{zip} (%{zip_name}). try_another_or_apply_html: Intente otro código postal. title: Ubicar show: @@ -6933,4 +6971,4 @@ es: no_hours_listed: Disculpe, no hay horario de apertura. no_phone_number_listed: Disculpe, no hay número de teléfono. phone_number_title: Llame a %{provider_name} - search_radius: Dentro de %{distance} millas de %{zip} (%{zip_name}) + search_radius: Dentro de %{distance} millas de %{zip} (%{zip_name}) From 29acff08a64af544affa88b896bec40505669108 Mon Sep 17 00:00:00 2001 From: Hugo Melo Date: Tue, 25 Feb 2025 12:26:58 -0500 Subject: [PATCH 18/18] Update error messages Co-authored-by: Hugo Melo --- app/models/az321_contribution.rb | 3 ++- app/models/az322_contribution.rb | 3 ++- app/models/concerns/date_accessible.rb | 2 +- config/locales/en.yml | 3 +++ 4 files changed, 8 insertions(+), 3 deletions(-) diff --git a/app/models/az321_contribution.rb b/app/models/az321_contribution.rb index efbcf011f4..49d0a57eaa 100644 --- a/app/models/az321_contribution.rb +++ b/app/models/az321_contribution.rb @@ -32,6 +32,7 @@ class Az321Contribution < ApplicationRecord validates :amount, presence: true, numericality: { greater_than: 0 } validates :date_of_contribution, inclusion: { - in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year + in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year, + message: ->(_object, _data) {I18n.t('activerecord.errors.concerns.date_accessible.inclusion')} } end diff --git a/app/models/az322_contribution.rb b/app/models/az322_contribution.rb index 0338a07933..5adb994e8c 100644 --- a/app/models/az322_contribution.rb +++ b/app/models/az322_contribution.rb @@ -30,6 +30,7 @@ class Az322Contribution < ApplicationRecord validates :amount, presence: true, numericality: { greater_than: 0 } validates :date_of_contribution, inclusion: { - in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year + in: TAX_YEAR.beginning_of_year..TAX_YEAR.end_of_year, + message: ->(_object, _data) {I18n.t('activerecord.errors.concerns.date_accessible.inclusion')} } end diff --git a/app/models/concerns/date_accessible.rb b/app/models/concerns/date_accessible.rb index 82f709ccfa..e6c053a662 100644 --- a/app/models/concerns/date_accessible.rb +++ b/app/models/concerns/date_accessible.rb @@ -69,7 +69,7 @@ def self.date_writer(*properties) define_method("#{property}_date_valid") do date = send(property) if date.present? && !Date.valid_date?(date.year, date.month, date.day) - errors.add(:date_of_contribution, :invalid_date, message: I18n.t("activerecord.errors.models.az321_contribution.attributes.date_of_contribution.inclusion")) + errors.add(:date_of_contribution, :invalid_date, message: I18n.t("activerecord.errors.concerns.date_accessible.inclusion")) end end end diff --git a/config/locales/en.yml b/config/locales/en.yml index 3f4611fcba..54fa98e4f0 100644 --- a/config/locales/en.yml +++ b/config/locales/en.yml @@ -19,6 +19,9 @@ en: state_file_1099_r: errors: must_be_less_than_gross_distribution: Must be less than gross distribution amount + concerns: + date_accessible: + inclusion: Date must be valid and in the current tax year attributes: confirm_primary_ssn: Confirm SSN or ITIN confirm_spouse_ssn: Confirm spouse's SSN or ITIN