/** * When a formidable form submitted, add form's connected product to cart. */ add_action('frm_after_create_entry', 'ff_take_user_to_wc_checkout_for_payment', 20, 2); function ff_take_user_to_wc_checkout_for_payment($entry_id, $form_id) { $linked_products = get_posts([ 'post_type' => 'product', 'post_status' => 'publish', 'numberposts' => 1, 'meta_key' => '_attached_formidable_form', 'meta_value' => $form_id, 'cache_results' => false, ]); if (empty($linked_products)) { return; } $product_id = $linked_products[0]->ID; if (!function_exists('WC') || !WC()->session) { return; } if (method_exists(WC()->session, 'set_customer_session_cookie')) { WC()->session->set_customer_session_cookie(true); } WC()->cart->empty_cart(); $entry = FrmEntry::getOne($entry_id, true); $form_data = $entry->metas; $addon_total = 0; foreach ($form_data as $value) { if (is_string($value) && strpos(trim($value), '$') === 0) { $price = floatval(str_replace(['$', ','], '', $value)); $addon_total += $price; } } WC()->session->set('addon_total', $addon_total); WC()->cart->add_to_cart($product_id, 1, 0, [], ['addon_total' => $addon_total]); if (empty($_POST['frm_ajax'])) { wp_safe_redirect(wc_get_checkout_url()); exit; } } /** * When an item is added to the cart, remove other products. */ add_filter( 'woocommerce_add_to_cart_validation', 'ff_keep_only_one_product_in_the_cart', 10, 3 ); function ff_keep_only_one_product_in_the_cart( $valid, $product_id, $quantity ) { if( ! empty ( WC()->cart->get_cart() ) && $valid ) { WC()->cart->empty_cart(); } return $valid; } /** * Disable add to cart confirmation message. */ add_filter( 'wc_add_to_cart_message_html', '__return_false' ); /** * Redirect user to checkout page after adding a product to cart. */ add_filter ('add_to_cart_redirect', 'ff_redirect_to_checkout'); function ff_redirect_to_checkout() { global $woocommerce; $checkout_url = $woocommerce->cart->get_checkout_url(); return $checkout_url; } /** * Calculate formidable add-on prices and add them to the total price in WC checkout. */ add_action('woocommerce_before_calculate_totals', 'ff_apply_addon_total_to_cart_price', 10, 1); function ff_apply_addon_total_to_cart_price($cart) { if (is_admin() && !defined('DOING_AJAX')) { return; } foreach ($cart->get_cart() as $cart_item) { if (!empty($cart_item['addon_total'])) { $base_price = $cart_item['data']->get_price(); $addon_price = floatval($cart_item['addon_total']); $cart_item['data']->set_price($base_price + $addon_price); } } } /** * Use different Authorize.net accounts in checkout. */ add_filter( 'option_woocommerce_authorizeaim_settings', function( $woocommerce_authorizeaim_settings ) { global $woocommerce; if ( function_exists( 'is_checkout' ) && function_exists( 'get_field' ) && is_checkout() ) { foreach ( $woocommerce->cart->get_cart() as $cart_item ) { $product_id = $cart_item['product_id']; $api_login_id = get_post_meta( $product_id, 'api_login_id', true ); $transaction_key = get_post_meta( $product_id, 'transaction_key', true ); if ( !empty( $api_login_id ) && !empty( $transaction_key ) ) { $woocommerce_authorizeaim_settings['login_id'] = $api_login_id; $woocommerce_authorizeaim_settings['transaction_key'] = $transaction_key; break; } } } return $woocommerce_authorizeaim_settings; } ); /** * When placing a new WC order by submitting formidable, * set order's customer detail according to the submitted information. */ add_action( 'woocommerce_new_order', 'ff_update_customer_data', 10, 2 ); function ff_update_customer_data($order_id,$order){ $postdata = $_POST; $email = $postdata['la_email']; $username = $postdata['la_email']; $args = array( 'user_email' => $email, 'display_name' => $postdata['la_first_name'], 'first_name' => $postdata['la_first_name'], 'last_name' => $postdata['la_last_name'] ); $userdata = wc_create_new_customer($email,$username,'',$args); $userdata = json_decode(json_encode($userdata), true); if(isset($userdata['errors'])){ $customer = get_user_by('email',$email); if($customer){ $user_id = $customer->ID; } }else{ $user_id = $userdata; update_user_meta($user_id, "first_name",$postdata['la_first_name']); update_user_meta($user_id, "last_name",$postdata['la_last_name']); } $address = array( 'first_name' => $postdata['la_first_name'], 'last_name' => $postdata['la_last_name'], 'email' => $email, 'phone' => $postdata['la_ower_phone'], 'address_1' => $postdata['la_buisiness_adddress_1'], 'address_2' => $postdata['la_buisiness_adddress_2'], 'city' => $postdata['la_buisiness_adddress_city'], 'state' => $postdata['la_buisiness_adddress_state'], 'postcode' => $postdata['la_buisiness_adddress_zipcode'], 'country' => 'US' ); $order = new WC_Order($order_id); $order->set_customer_id($user_id); $order->set_address($address, 'billing'); $order->set_address($address, 'shipping'); $order->save(); } /** * Link formidable entry with woocommerce order. -- ⇩⇩⇩ -- */ // 1. Store formidable entry ID in the customer session. add_action( 'frm_after_create_entry', function( $entry_id, $form_id ) { WC()->session->set( 'frm_entry_id', $entry_id ); }, 20, 2 ); // 2. Set formidable entry id from session to the order as an order meta. add_action( 'woocommerce_checkout_create_order', function( $order, $data ) { if ( $entry_id = WC()->session->get( 'frm_entry_id' ) ) { $order->update_meta_data( '_frm_entry_id', $entry_id ); } }, 10, 2 ); // 3. Display the link to the formidable entry on the order details page. add_filter( 'woocommerce_order_item_display_meta_key', function( $display_value, $meta ) { if ( $meta->key == '_formidable_form_data' ) { $display_value = __( 'Formidable Entry', 'formidable-woocommerce' ); } return $display_value; }, 10, 2 ); Sales Tax Archives - Thu, 20 Mar 2025 14:50:14 +0000 en-US hourly 1 https://wordpress.org/?v=6.8.5 https://dev.fastfilings.pomdev.net/wp-content/uploads/2020/09/cropped-icon2-32x32.png Sales Tax Archives - 32 32 501(c)(3) Nonprofits and Sales Tax: What to Know https://dev.fastfilings.pomdev.net/501c3-nonprofits-and-sales-tax/ https://dev.fastfilings.pomdev.net/501c3-nonprofits-and-sales-tax/#respond Tue, 22 Nov 2022 17:20:53 +0000 https://dev.fastfilings.pomdev.net/?p=10705 501(c)(3) Nonprofits and Sales Tax: What to Know 501(c)(3) nonprofits (NPOs) are tax-exempt charitable organizations that promote a social cause or provide a public benefit. Examples of nonprofits can include everything from churches to art museums to political organizations.  What Is a Nonprofit? The IRS defines NPOs as organizations that are “operated exclusively for religious, […]

The post 501(c)(3) Nonprofits and Sales Tax: What to Know appeared first on .

]]>

501(c)(3) nonprofits (NPOs) are tax-exempt charitable organizations that promote a social cause or provide a public benefit. Examples of nonprofits can include everything from churches to art museums to political organizations. 

What Is a Nonprofit?

The IRS defines NPOs as organizations that are “operated exclusively for religious, charitable, scientific, testing for public safety, literary, educational, or other specified purposes.” 

Unlike for-profit companies, nonprofits are accountable to their donors, paid staff, volunteers, the public, and—above all—those they serve. 

The main difference between nonprofits and for-profit organizations is that nonprofits cannot legally distribute profits to shareholders, directors, officers, or private individuals (with the exception of reasonable compensation for services). 

It’s a myth, however, that nonprofits can’t have any extra money in their coffers. In fact, maintaining some level of positive revenue can help these organizations stay resilient in the face of economic downturns and financial rough patches. 

Apply for a Wholesale License!

Need help filing your wholesale license?
Seller’s Permit and Resale Certificate

Are 501(c)(3) Exempt from Sales Tax?

Given the charitable nature of their work, the Internal Revenue Service (IRS) exempts nonprofits from paying federal income tax. Most states also apply this exemption to state income tax. 

Sales tax is more complicated. That’s because sales tax is managed at the state level, and states do not automatically apply an exemption for nonprofits. 

Forty-six states (plus Washington DC) have sales tax, and each one makes its own rules and laws around how nonprofits are required to pay and charge sales tax. 

Keep reading to find out how sales tax applies to 501(c)(3) nonprofits and how to get a nonprofit sales tax exemption certificate. 

Get Your Sales Tax Exemption Certificate with FastFilings

The experts at FastFilings can help you obtain a sales tax exemption certificate in any U.S. state. We error-check and rush every documentation order we file on your behalf. Explore FastFilings to learn more about getting a sales tax exemption certificate for your 501(c)(3) nonprofit. 

501(c)(3) Nonprofits and Sales Tax: What to Know

Apply for a Wholesale License!

Need help filing your wholesale license?

The post 501(c)(3) Nonprofits and Sales Tax: What to Know appeared first on .

]]>
https://dev.fastfilings.pomdev.net/501c3-nonprofits-and-sales-tax/feed/ 0
How to Get an Idaho Sales Tax Permit https://dev.fastfilings.pomdev.net/how-to-get-an-idaho-sales-tax-permit/ https://dev.fastfilings.pomdev.net/how-to-get-an-idaho-sales-tax-permit/#respond Thu, 01 Sep 2022 13:48:31 +0000 https://dev.fastfilings.pomdev.net/?p=10450 How to Get an Idaho Sales Tax Permit When you are starting a business in Idaho and intend to sell goods or food or offer services, you will need to register your business with the Idaho State Tax Commission. There are specific licenses and registrations you need to obtain to legally operate your business, including […]

The post How to Get an Idaho Sales Tax Permit appeared first on .

]]>

When you are starting a business in Idaho and intend to sell goods or food or offer services, you will need to register your business with the Idaho State Tax Commission. There are specific licenses and registrations you need to obtain to legally operate your business, including an Idaho sales tax permit. 

What Is an Idaho Sales Tax Permit?

After registering your business name and obtaining your Employer Identification Number (EIN) from the IRS, you can apply for your business permits and licenses. Idaho does not require business licenses, but specific cities may require one. 

The primary permit that businesses do require is a sales tax permit. This enables your business to operate legally and requires you to collect sales tax from your customers on taxable sales. Some businesses may also benefit from obtaining a resale permit that makes them tax-exempt on inventory goods they sell to their customers. 

Apply for an Idaho Sales Tax Permit!

Need help filing your sales tax permit in Idaho?
Seller’s Permit and Resale Certificate

Other Names for an Idaho Sales Tax Permit

Some of the other commonly used names for an Idaho sales tax permit are:

  • Idaho Seller’s Permit
  • Idaho Sales and Tax Use License
  • Idaho Sales Tax ID Number
  • Idaho Seller’s License
  • Idaho Seller’s Certificate
  • Idaho Sales Tax Registration

Even though people call it different names, it is still the same permit you will need to open your business. 

Who Needs an Idaho Seller’s Permit?

Most types of businesses in Idaho, from grocery stores and restaurants to retail stores and quick-change oil change shops, will need a seller’s permit. Furthermore, if your business falls into one of these categories, you will need a seller’s permit:

  1. You service personal property, such as automobiles, residential HVAC systems, etc.
  2. You have a physical presence in the state, even if you operate your business out of your house. 
  3. You have an online-only business operated in Idaho and sell to customers in Idaho. 
  4. You rent or lease property in Idaho. 
  5. You have remote salespeople who physically sell goods and services in Idaho. 
  6. You sell seasonally, or for a short period, such as at a farmer’s market, craft expo, tradeshow, or fireworks stand. 
  7. You intend to operate a garage sale or yard sale for more than two consecutive days. 

It is worth noting sales tax is not charged on labor and most services in the state. However, sales tax must be charged on any goods or products used to perform the labor or service. 

For example, you take your car in for an oil change. While you will not be charged sales tax for the labor to change your oil, you will be charged sales tax on the oil and oil filter.  

Do Idaho Seller’s Permits Expire?

No, your Idaho seller’s permit does not expire. It is a one-time registration process. However, there are certain situations where you may need to update the permit with the Idaho State Tax Commission, such as:

  • You change the name of your business.
  • You relocate your business to a new address.
  • You change the business structure or ownership of the business.

Is an Idaho Business License the Same as a Seller’s Permit?

No, a business license in Idaho refers to a specific type of license required for certain businesses. Not all businesses in Idaho require a business license. For example, if you sell alcohol, operate a childcare facility, or operate a restaurant, you will need a business license. 

Furthermore, you should not confuse your Idaho business registration with a business license. Your business registration is what establishes your business with the state. 

Gather your business documentation and information
Step 2 - Complete the online application form

How to Get a Seller’s Permit Online Using FastFilings

It is easy to get a seller’s permit online using FastFilings. We have simplified the application process and file electronically with the state. To get started, follow these steps:

  • Step 1: Register your business with the state and obtain your EIN. 
  • Step 2: Visit our website and select Idaho for the state.
  • Step 3: Fill out the secure online application form providing your business name, address, phone number, type of business entity, and estimated monthly sales. You will also need to enter your EIN or personal social security number and the driver’s license number of the owner or an officer.
  • Step 4: Submit your payment.
  • Step 5: We verify your application for accuracy and use it to fill out the official state form. We will contact you directly before filing with the state if we find any errors. 
  • Step 6: Since we file electronically, you will receive your seller’s permit within ten business days or less. We also offer expedited services when you need it faster. 

We can help you obtain your resale certificate if you need tax-exempt status for your inventory purchases as well. Submit your application for your Idaho sales seller’s permit or resale certificate today.

Apply for an Idaho Sales Tax Permit!

Need help filing your sales tax permit in Idaho?

The post How to Get an Idaho Sales Tax Permit appeared first on .

]]>
https://dev.fastfilings.pomdev.net/how-to-get-an-idaho-sales-tax-permit/feed/ 0
Sales Tax vs. Use Tax: What’s the Difference? https://dev.fastfilings.pomdev.net/sales-tax-vs-use-tax/ https://dev.fastfilings.pomdev.net/sales-tax-vs-use-tax/#respond Fri, 26 Aug 2022 20:55:31 +0000 https://dev.fastfilings.pomdev.net/?p=10408 Sales Tax vs. Use Tax: What’s the Difference? Although it’s common to speak of “sales and use tax” as a single entity, the term actually describes two distinct types of taxes: (1) sales tax and (2) use tax. Both types can apply to the sale of taxable goods or services. However, any given taxable transaction […]

The post Sales Tax vs. Use Tax: What’s the Difference? appeared first on .

]]>

Although it’s common to speak of “sales and use tax” as a single entity, the term actually describes two distinct types of taxes: (1) sales tax and (2) use tax. Both types can apply to the sale of taxable goods or services. However, any given taxable transaction will involve only sales tax or use tax—if one tax doesn’t apply, then the other does.

To understand the difference between sales and use tax, it is first necessary to explore the concept of business nexus. This is used to determine whether, for legal purposes, a business has a significant operational presence in a particular state. If they do, then they must collect state sales tax on applicable transactions.

The easiest way to establish a business nexus in a state is to maintain a physical location there, such as a storefront. There are other ways as well, which vary by state law. In many states, simply having an agent or representative conducting business there on behalf of the company is enough to establish a nexus.

Apply for a Wholesale License!

Need help filing your wholesale license?
Seller’s Permit and Resale Certificate

What if the business has no physical presence in the state at all? A sales tax might still apply to the business’ transactions. The 2018 Supreme Court decision South Dakota v. Wayfair, Inc. permitted states to impose a sales tax on out-of-state sellers even in the absence of a storefront or other physical location. 

As a result, a number of states have created a specific threshold for determining whether an out-of-state vendor has a business nexus: during a calendar year, it must accumulate from state residents either $100,000 in total sales, or at least 200 distinct transactions. Businesses that exceed this threshold must hold a valid seller’s permit, or sales tax license.

But what happens when an out-of-state business has no nexus in a given state? Does sales tax apply? No, but use tax does. But what is use tax? Although the seller is not required to charge sales tax, the buyer has the responsibility to pay tax to the state—this is known as a use tax. The seller does not charge a use tax; the buyer pays it directly to the relevant agency. The use tax applies to buyers who use, store, or consume property that is ordinarily taxable under state law.

To illustrate the differences between these two categories of taxes, FastFilings, providers of one of the easiest ways to get a seller’s permit online, has put together a brief infographic, which you can view in the space below.

Sales Tax vs Use Tax

Apply for a Wholesale License!

Need help filing your wholesale license?

The post Sales Tax vs. Use Tax: What’s the Difference? appeared first on .

]]>
https://dev.fastfilings.pomdev.net/sales-tax-vs-use-tax/feed/ 0
8 Benefits of Getting an EIN https://dev.fastfilings.pomdev.net/8-benefits-of-getting-an-ein/ https://dev.fastfilings.pomdev.net/8-benefits-of-getting-an-ein/#respond Thu, 28 Jul 2022 17:18:37 +0000 https://dev.fastfilings.pomdev.net/?p=10210 8 Benefits of Getting an EIN When you are starting a new business, there are several things you will need to do before you can start conducting business transactions. All new businesses need to register with their state in order to be considered a legal business entity.  Furthermore, there are specific permits, licenses, and other […]

The post 8 Benefits of Getting an EIN appeared first on .

]]>

When you are starting a new business, there are several things you will need to do before you can start conducting business transactions. All new businesses need to register with their state in order to be considered a legal business entity. 

Furthermore, there are specific permits, licenses, and other registration requirements you may need. You can verify what ones you require with your secretary of state’s office and local county clerk’s office. However, one of the most essential registration requirements to complete is obtaining your EIN (Federal Tax Identification Number). 

What is an EIN?

An EIN is a unique identification number issued by the federal government that is primarily used for tax purposes. However, there are other benefits of an EIN. It is nine digits long, similar to a social security number. However, when you file taxes for your business, you use your EIN, not your personal social security number. 

Apply for an EIN!

Need help applying for an EIN?
Seller’s Permit and Resale Certificate

Who needs an EIN?

Ideally, all business owners should obtain an EIN when they start their businesses. Even if you are self-employed or are a sole proprietor, it is beneficial to get an EIN. Other business entities are legally required to obtain one. You should get your EIN if any of the following apply:

  • You intend to hire employees for your business.
  • You intend to pay yourself by paying yourself a salary from your business.
  • Your business requires state and local permits and licenses.
  • You will conduct business with other organizations, such as nonprofit organizations, cooperatives, trusts, etc. 
  • Your business structure is a partnership, LLC, or corporation. 

Benefits of an EIN Number

There are benefits of obtaining an EIN for your business regardless of the business structure you use, including:

1. It keeps your personal and business information separate.

You do not have to worry about identity theft because you are not using your social security number to conduct business with others. 

2. It allows you to open business bank and financial accounts.

If you intend to open a separate business checking account, apply for small business loans, or apply for business credit cards, then you need an EIN. Additionally, an EIN may make your business eligible for certain grants. 

4. You can build a credit profile and score for your business.

An EIN is treated similarly to a social security number, so you can start to build a credit history and score for your business. You can invest in an individual 401(k) retirement plan.

Your EIN allows you to open an individual 401(k) retirement plan that can provide better returns than other retirement accounts. 

5. It protects your personal finances and assets if you go out of business.

If the unthinkable happens and your business does not do as well as you intended, you will not be putting your personal finances and assets at risk. 

6. You need an EIN to obtain a seller’s permit for your business.

seller’s permit is required in most states and is also called a sales tax license. Businesses that are required to collect sales tax will need to have their EIN first before they can apply for a seller’s permit.

7. You can get a wholesale permit for your business.

A wholesale permit allows you to avoid paying sales tax on any goods you intend to resell to your customers. Some states allow you to use your seller’s permit as a wholesale permit. In comparison, other states require you to obtain a separate wholesale permit. 

8. It makes vendors and suppliers more likely to conduct business with you.

Vendors and suppliers tend to be more trusting when you have an EIN. Not to mention, as you establish a relationship with them, they are more likely to extend you credit or more favorable payment terms. 

How FastFilings Can Help

FastFilings makes obtaining an EIN for your business easy, using our simple online application form. All you do is complete the requested information, and we take care of the rest. We will verify your information, fill out the application form, and electronically file it with the federal government. 

If we discover any errors or require additional information, we will contact you before filing your EIN application. Usually, the entire application process takes about five minutes. 

We can also assist you in obtaining your seller’s permit and wholesale permit using the same simple application process. We know which states allow you to use your seller’s permit as your wholesale permit and which states require you to obtain two separate permits. 

We also offer rush processing when you are in a hurry to start conducting business. For further information or to get your EINseller’s permit, and wholesale license, fill out our secure online application forms today. 

Do not hesitate to contact us directly if you have further questions or require additional assistance. 

Gather your business documentation and information

Apply for an EIN!

Need help applying for your EIN?

The post 8 Benefits of Getting an EIN appeared first on .

]]>
https://dev.fastfilings.pomdev.net/8-benefits-of-getting-an-ein/feed/ 0
How to Get a New Mexico Resale Certificate https://dev.fastfilings.pomdev.net/how-to-get-a-new-mexico-resale-certificate/ https://dev.fastfilings.pomdev.net/how-to-get-a-new-mexico-resale-certificate/#respond Mon, 27 Jun 2022 15:52:03 +0000 https://dev.fastfilings.pomdev.net/?p=10073 How To Get Aresale certificate in New mexico. When you are starting a business in New Mexico and intend to sell goods to your customers, obtaining a New Mexico resale certificate can be beneficial. New Mexico is one of the few states that does not have a state sales tax. Instead, businesses register for a Gross Receipts […]

The post How to Get a New Mexico Resale Certificate appeared first on .

]]>

When you are starting a business in New Mexico and intend to sell goods to your customers, obtaining a New Mexico resale certificate can be beneficial. New Mexico is one of the few states that does not have a state sales tax. Instead, businesses register for a Gross Receipts Tax permit. 

This permit is similar to a seller’s permit or sales tax ID number in other states. However, instead of sales taxes being charged to your customers, your business is charged a business tax. Even though the business is taxed, it is common for business owners to collect the taxes from their customers based on the value of the item or service provided. 

What Is a Resale Certificate?

A resale certificate allows your business to avoid paying the gross receipts taxes that are passed along to consumers. You do not have to pay these taxes on any inventory items you purchase from your suppliers and vendors. 

Apply for a New Mexico Resale Certificate!

Need help filing your resale certificate in New Mexico?
Seller’s Permit and Resale Certificate

Other Names for a New Mexico Resale Certificate

You may have heard a resale certificate in New Mexico called one of several different names, including:

Who Needs a New Mexico Reseller Certificate?

In New Mexico, you must have a resale certificate to have gross receipts taxes waived on products and goods you intend to resell. There are two different types of resale certificates the state offers businesses.

The first one is the Non-Taxable Transaction Certificate (NTTC) and is for any business that operates within the state, such as clothing stores, toy stores, and auto parts stores. However, before submitting an application for your NTTC, you must first obtain your Gross Sales Tax permit. 

The second type of resale certificate is for businesses that purchase products and goods from suppliers and vendors in New Mexico, but their business is operated in a different state. In this case, your business will need one of the following:

Furthermore, New Mexico is one of several states that will not recognize out-of-state wholesale certificates. Therefore, you have to apply for and obtain one of the certificates mentioned above to have gross receipt taxes waived on inventory items for your out-of-state business. 

Can I Use My New Mexico NTTC in Other States?

Most states should honor your NTTC when purchasing inventory items. However, several states will not, such as California. Therefore, you would need to apply for a resale certificate in those states, just like out-of-state businesses have to do in New Mexico. 

Do New Mexico Resale Certificates Expire?

In 1992, New Mexico did away with expiration dates for resale certificates for both in-state and out-of-state businesses. However, a company is required to file for a new resale certificate when any of the following apply:

  • You changed the name of your business. 
  • The physical address of the business has changed from what is on the resale certificate.
  • You open additional business locations—each location should have its own resale certificate.
Gather your business documentation and information
Step 2 - Complete the online application form

How to Get a New Mexico Reseller Permit Using FastFilings

Deciding what type of New Mexico wholesale permit you need is not too difficult, based on where your business is physically located.

However, determining which application form you need to fill out and submit can be confusing. Fortunately, FastFilings has simplified the process to make applying for and obtaining your resale certificate quicker and easier.

  • Step 1: Fill out our secure online application form.
  • Step 2: Upload any required documentation.
  • Step 3: Provide your payment method.
  • Step 4: We review your application and will contact you if you need further information or documentation.
  • Step 5: We electronically file your application directly with the state for faster processing.
  • Step 6: Sit back and relax. You will receive confirmation from us once your application is approved and will receive your NTTCs shortly.

Please keep in mind the state of New Mexico will only issue a maximum of five NTTCs. So, if you initially only request one or two and need another one later, you have to submit another application for the additional resale certificate. 

Therefore, we highly recommend you request the maximum of five certificates when filing your initial application to get your NTTCs. This way, you will already have additional certificates on hand should you ever need them. 

Get your New Mexico NTTCs at FastFiling today. We can also help you obtain your Gross Receipt Tax permit. Do not hesitate to use our contact form if you have further questions or require additional assistance.  

Apply for a New Mexico Resale Certificate!

Need help filing your resale certificate in New Mexico?

The post How to Get a New Mexico Resale Certificate appeared first on .

]]>
https://dev.fastfilings.pomdev.net/how-to-get-a-new-mexico-resale-certificate/feed/ 0
How to Get a Hawaii Resale Certificate https://dev.fastfilings.pomdev.net/how-to-get-a-hawaii-resale-certificate/ https://dev.fastfilings.pomdev.net/how-to-get-a-hawaii-resale-certificate/#respond Wed, 30 Mar 2022 19:27:48 +0000 https://dev.fastfilings.pomdev.net/?p=8965 How To Get Aresale certificate in hawaii. When you operate a business in Hawaii, you are required to pay general excise taxes on any items you purchase from your vendors and suppliers. You must still pay this tax even when buying inventory items you intend to resell to your customers. The current general excise tax […]

The post How to Get a Hawaii Resale Certificate appeared first on .

]]>

When you operate a business in Hawaii, you are required to pay general excise taxes on any items you purchase from your vendors and suppliers. You must still pay this tax even when buying inventory items you intend to resell to your customers.

The current general excise tax rate is 4%. However, there can be up to an additional 0.5% in certain counties or cities. Most businesses pass along the general excise tax expenses they pay to their customers to recover the money they paid to their vendors and suppliers.

However, the state does allow business owners in Hawaii to obtain a Hawaii resale certificate to offset the amount of tax they pay on inventory items.

Apply for a Hawaii Resale Certificate!

Need help filing your resale certificate in Hawaii?
Seller’s Permit and Resale Certificate

Other Names for a Hawaii Resale Certificate

Some other names people used to refer to their resale certificate in Hawaii include:

  • Hawaii Wholesale Permit
  • Hawaii Reseller’s Permit
  • Hawaii Wholesale License
  • Hawaii Resale License
  • Hawaii Vendor Permit

Who Needs a Resale Certificate in Hawaii?

All business owners in Hawaii who resell goods at retail need a resale certificate. The primary benefit is, of course, you only have to pay 0.5% in general excise taxes on your inventory items.

How Do I Use a Hawaii Resale Certificate?

Once you obtain your resale certificate, you will need to make multiple copies of the certificate to present to your vendors and supplies. Every vendor and supplier will keep a copy of the certificate. You only need to do this once, and any future sales from your vendors and suppliers will receive the reduced general excise tax rate on your resale items.

Can I Use My Hawaii Wholesale License Out of State?

Most states will honor your existing wholesale license. However, Hawaii is one of ten states that do not recognize out-of-state resale certificates. For example, if you want to purchase goods and not pay sales taxes on them in Washington or California, you must file and obtain a resale certificate in each of those states.

Do Resale Certificates in Hawaii Expire?

Once you obtain your resale certificate in Hawaii, it never expires. However, there are a few exceptions you need to know about. For starters, if you change your business name or the location of your business, you do need to update your certificate with the state and provide your vendors and suppliers with a new copy reflecting the changes.

Second, if you decide to sell the business, the new owner needs to update the ownership change with the state. Then they would need to present new copies of the resale certificate to vendors and suppliers.

Last, the resale certificate is considered “expired” if you go out of business.

How Much Tax Do I Charge My Customers?

Business owners in Hawaii charge their customers the 4% state general excise tax rate plus any county or city rate. In addition, they are allowed to charge up to 0.166% more to help recover the taxes they paid to their vendors and supplies.

If one of your customers has a resale certificate in Hawaii, then you would only charge them 0.5% in general excise taxes on the items they are purchasing from you that they intend to resell to their customers.

Is a General Excise Tax License the Same as a Resale Certificate?

In Hawaii, a general excise tax license, also known as a sales and use tax certificate or seller’s permit, is not the same thing as your resale certificate. All business owners in Hawaii must obtain a general excise tax license. However, only businesses that sell goods at retail need a resale certificate.

Gather your business documentation and information
Step 2 - Complete the online application form

How to Easily Get a Hawaii Resale Certificate Using FastFilings

The easiest way business owners in Hawaii can obtain a resale certificate in Hawaii is to use FastFilings. We have simplified the Hawaii resale certificate instructions to make it easier to get your certificate online:

  1. Fill out our secure online form.
  2. Upload any required documents.
  3. Provide payment information.
  4. We review your application for completeness and accuracy.
  5. We transfer the information you provided to an official Hawaii resale certificate form and file it electronically with the state.
  6. Receive your resale certificate electronically within a few business days.

Nothing could be faster or easier. To get your resale certificate for your Hawaii business, apply online today! We can also help you obtain your Hawaii general excise tax license and wholesale permits for other states.

Do not hesitate to use our online contact form if you have any questions or require further assistance.

Apply for a Hawaii Resale Certificate!

Need help filing your resale certificate in Hawaii?

The post How to Get a Hawaii Resale Certificate appeared first on .

]]>
https://dev.fastfilings.pomdev.net/how-to-get-a-hawaii-resale-certificate/feed/ 0
How to Get a West Virginia Resale Certificate https://dev.fastfilings.pomdev.net/how-to-get-a-west-virginia-resale-certificate/ https://dev.fastfilings.pomdev.net/how-to-get-a-west-virginia-resale-certificate/#respond Fri, 25 Mar 2022 17:41:02 +0000 https://dev.fastfilings.pomdev.net/?p=8958 How To Get Aresale certificate in west virginia. When you operate a small business in West Virginia where you sell goods and products at retail to customers, it is highly recommended that your business apply for and obtain a West Virginia resale certificate. It does not matter where you operate your business—from a physical location, […]

The post How to Get a West Virginia Resale Certificate appeared first on .

]]>

When you operate a small business in West Virginia where you sell goods and products at retail to customers, it is highly recommended that your business apply for and obtain a West Virginia resale certificate. It does not matter where you operate your business—from a physical location, out of your home, or online—you will want to learn more about resale certificates and how they benefit your business.

What Is a West Virginia Resale Certificate?

A West Virginia resale certificate allows your business to have tax-exempt status for purchases you make for items you will add to your inventory and intend to resell to your customers. By presenting this certificate to your vendors and suppliers, they will not charge you sales taxes.

However, the tax-exempt status only applies to items you intend to resell. So, any purchases you make to support the day-to-day operations of your business, such as receipt paper, cleaning supplies, light bulbs, etc., would not be tax-exempt.

Additionally, you should be aware of the other names used for a West Virginia resale certificate, including:

  • West Virginia Exemption Certificate
  • West Virginia Reseller’s Permit
  • West Virginia Resale Permit
  • West Virginia Wholesale License
  • West Virginia Wholesale Permit
  • West Virginia Resale Exemption Certificate

Apply for a West Virginia Resale Certificate!

Need help filing your resale certificate in West Virginia?
Seller’s Permit and Resale Certificate

Who Needs a West Virginia Resale Certificate?

Any West Virginia business that resells goods and products to customers at retail needs a West Virginia exemption certificate. Without one, you would be charged sales taxes on items you purchased from your vendors and suppliers that you intend to sell to your customers.

You would also be legally required by the state to collect sales taxes from your customers on those same items. So, essentially, you would be paying sales taxes twice on the same items. Fortunately, the state allows you to deduct the sales taxes you paid, provided you can provide proof in receipts and invoices from your vendors and suppliers.

If you do not keep accurate records or lose receipts and invoices, you will be stuck paying sales taxes twice. Therefore, as you can see, it is much better for you and your business to take the time to obtain a West Virginia resale exemption certificate.

Can My Business Accept West Virginia Resale Certificates?

Yes, any business can accept a West Virginia resale certificate and sell their goods to other businesses tax-free. However, you are responsible for conducting a West Virginia resale certificate verification.

This is easy to do by reviewing the certificate to ensure it is filled out completely. Next, look to see if the single purchase box is checked. If it is, you can only accept it once, and the customer would need to obtain a new one for future purchases.

You will also need to call the West Virginia Tax Department and verify the customer’s seller’s permit is active and valid. If not, you cannot give them tax-exempt status. Next, verify the items being purchased are related to the customer’s business. Last, make sure to keep a copy of the resale certificate for your records.

Do West Virginia Resale Certificates Expire?

Resale certificates in West Virginia do not expire, provided you are using your certificate to make at least one tax-exempt purchase annually. However, there is one exception you do need to be aware of that could require you to obtain a new West Virginia exemption certificate: If you check the box that states the wholesale certificate is for a single purchase, it is only valid for that purchase. Ideally, you want to avoid checking the box and use your resale license as a blanket certificate, so you can use it as many times as you want.

How to Get Your West Virginia Resale Certificate Through FastFilings

FastFilings has simplified the processes to get your West Virginia resale certificate using these steps:

  1. Select your state.
  2. Fill out our secure online application form.
  3. Upload any necessary documents.
  4. Submit payment.
  5. We review your application for accuracy and use it to fill out the correct application form for West Virginia.
  6. We submit your application electronically to the state.
  7. Once the state accepts your application, you will receive your West Virginia resale certificate via email in one to two business days.

FastFiling can also help you obtain your West Virginia seller’s permit, also called your sales tax ID or sales tax use certificate your business also requires to operate legally. In addition, we can also help you secure resale certificates and seller’s permits in other states for you to be able to conduct business in that state and obtain tax-exempt status from vendors and suppliers in that state.

What are you waiting for? Apply online now to get your West Virginia resale exemption certificate. If you have further questions or require additional assistance, please feel free to contact us by filling out our online contact form.

Gather your business documentation and information

Apply for a West Virginia Resale Certificate!

Need help applying for your resale certificate in West Virginia?

The post How to Get a West Virginia Resale Certificate appeared first on .

]]>
https://dev.fastfilings.pomdev.net/how-to-get-a-west-virginia-resale-certificate/feed/ 0
How to Get an Alaska Resale Certificate https://dev.fastfilings.pomdev.net/how-to-get-an-alaska-resale-certificate/ https://dev.fastfilings.pomdev.net/how-to-get-an-alaska-resale-certificate/#respond Wed, 02 Mar 2022 20:34:05 +0000 https://dev.fastfilings.pomdev.net/?p=8881 How To Get Aresale certificate in alaska. While Alaska does not have a state sales tax, like other states, the state does allow local jurisdictions to impose a sales tax on various goods and services. So, when you are starting a small business in Alaska, you will need to obtain an Alaska resale certificate. What […]

The post How to Get an Alaska Resale Certificate appeared first on .

]]>

While Alaska does not have a state sales tax, like other states, the state does allow local jurisdictions to impose a sales tax on various goods and services. So, when you are starting a small business in Alaska, you will need to obtain an Alaska resale certificate.

What Is a Resale Certificate?

A resale certificate allows Alaska small business owners to purchase materials or goods and sell goods and services to other business entities at wholesale. In addition, a resale certificate is required for renting or leasing properties to others.

Apply for an Alaska Resale Certificate!

Need help filing your resale certificate in Alaska?
Seller’s Permit and Resale Certificate

Other Names for an Alaska Resale Certificate

Several different names can be used to refer to an Alaska resale certificate, including:

  • Alaska Certificate of Authority
  • Alaska Seller’s Permit
  • Alaska Wholesale Certificate
  • Alaska Resale Permit
  • Alaska Tax Exempt Certificate
  • Alaska Sales and Use Tax Certificate
  • Alaska Sales Tax Certificate Number

Regardless of what you call it, as a small business owner, you will need to obtain one before you can conduct business in the state of Alaska.

Who Needs an Alaska Resale Certificate?

Just about all businesses that operate in Alaska must obtain an Alaska resale certificate. As a business owner, it is your responsibility to collect sales taxes or provide exemptions when appropriate.

You must also keep accurate records of transactions to determine how much tax you owe to the state, as well as provide supporting documentation for any tax exemptions. For example, if you sell or ship products to your customers in Alaska, you have to collect sales taxes from them if your local jurisdiction or their local jurisdiction has a sales tax.

On the other hand, if your local jurisdiction and their local jurisdiction does not have a sales tax, then you are allowed to give a tax exemption. However, you still have to report exempt tax sales to the state when you submit payment for any sales taxes you collected.

How Can I Buy Goods at Wholesale with an Alaska Resale Certificate?

Another benefit of having an Alaska certificate of authority is it allows you to purchase goods you intend to resell to your customers and be exempt from paying sales taxes. Yet, wholesale tax exemption status only applies to goods you will resell. So, the office supplies and materials you use in the day-to-day operations of your business are not exempt from sales taxes.

Do Other Businesses Have to Honor My Wholesale Certificate?

It is customary for Alaska businesses to honor your wholesale certificate. However, they are not required by law to do so. As a result, some businesses may still charge you sales taxes for goods you intend to resell.

Should you pay sales taxes on your resell items, you can report the sales taxes you paid when you file and pay your state sales taxes. You are allowed to deduct the amount of taxes you paid on resale items. Otherwise, you would end up paying double taxes on these goods.

Gather your business documentation and information
Step 2 - Complete the online application form

Do Alaska Resale Certificates Expire?

The state of Alaska requires businesses to recertify and renew their resale certificates annually. An annual fee must be paid when initially obtaining your Alaska certificate of authority and at every annual renewal.

What if My Alaska Small Business Just Sells Goods Online?

One common question people have when starting a small business in Alaska is whether they need to obtain a resale certificate if they are just selling goods online. Whether you sell goods through your website or another online selling service, you still need to obtain an Alaska seller’s permit.

What if I Ship Goods Out of State?

Your Alaska small business still needs an Alaska resale certificate even when shipping goods out of state. Why, you may be wondering? For starters, if you want to purchase resale goods from your suppliers and be tax-exempt, you will need your seller’s permit. Second, the state still requires you to report all out-of-state sales to support your business exempt tax sales.

How to Get an Alaska Resale Certificate Using FastFilings

FastFilings makes it quick and simple for Alaska small business owners to obtain their resale certificates.

  1. Fill out our secure online application.
  2. Provide any necessary documentation.
  3. Pay your application fee.
  4. We review your application for accuracy and file it electronically with the state of Alaska.
  5. Receive your Alaska resale certificate as soon as one business day.

We also assist Alaska small businesses with annual renewals of their resale certificate. Ready to get your Alaska certificate of authority? Complete your online application today! You may also contact FastFilings by filling out our online contact form should you have any questions or require further assistance.

Seller’s Permit and Resale Certificate

Apply for an Alaska Resale Certificate!

Need help filing your resale certificate in Alaska?

The post How to Get an Alaska Resale Certificate appeared first on .

]]>
https://dev.fastfilings.pomdev.net/how-to-get-an-alaska-resale-certificate/feed/ 0
What’s a Georgia Sales Tax Certificate? https://dev.fastfilings.pomdev.net/whats-a-georgia-sales-tax-certificate/ https://dev.fastfilings.pomdev.net/whats-a-georgia-sales-tax-certificate/#respond Tue, 02 Feb 2021 16:56:05 +0000 https://dev.fastfilings.pomdev.net/?p=3852 What’s a Georgia Sales Tax Certificate? Entrepreneurs in Georgia need to have various permits and licenses in place before they open and, often, the sales and use tax permit is included on this list. We reveal what it is, who needs it and why, and how to get it for your business fast. What Is […]

The post What’s a Georgia Sales Tax Certificate? appeared first on .

]]>

Entrepreneurs in Georgia need to have various permits and licenses in place before they open and, often, the sales and use tax permit is included on this list. We reveal what it is, who needs it and why, and how to get it for your business fast.

What Is a Georgia Sales and Use Tax Permit?

This document, also known as the Georgia sales tax certificate, authorizes businesses to act as agents of the state and federal government by collecting sales tax on those items sold that are considered to be tangible. The collected tax is then remitted to state authorities via the filing of yearly tax returns.

Apply for a Georgia Sales Tax Certificate!

Need help filing your sales tax certificate in Georgia?
Seller’s Permit and Resale Certificate

Does Your Business Need One?

Figuring out whether your business needs a sales tax permit will require you to know:

  • Whether you’re selling tangible personal property or services to Georgia residents that are taxable
  • Whether your buyers are required to pay sales tax
  • Whether your business has nexus in the state of Georgia

Tangible Personal Property

In Georgia, “tangible personal property” is anything that can be touched, felt, measured, weighed, or seen. However, some services are also considered to be taxable in Georgia. These include :

  • Sales of admissions
  • Sale of accommodations
  • In-state transportation such as limousine and taxi services

Buyers and Sales Tax

Georgia business owners need to be aware of customers considered to be exempt from paying sales tax in the state. These include merchants who purchase goods for the purpose of resale, as well as some non-profit organizations and certain government agencies.

Should a business conduct a transaction with an exempt buyer, they must collect a valid resale or exemption certificate from that buyer.

Nexus

Nexus refers to the connection between the seller and the state in which they conduct business. In Georgia, nexus is established when:

  • It has a store or other kind of physical presence in the state.
  • Its representatives or salespeople are present in the state on a regular basis.

Nexus can also be established by businesses not located in the state via affiliate, trade show, and click-through nexus.

What Is a Sales Tax Certificate of Exemption?

A certificate of sales tax exemption is proof that a buyer or seller isn’t required by law to pay sales tax on what they buy or sell. If your business is accepting this certificate from a buyer, it will be your responsibility to ensure the document is valid and has been completed and signed before you accept it.

Required Information for Registration

Registering for a Georgia sales tax certificate will require information, including:

  • Your EIN or employer identification number
  • Your projected monthly taxable sales
  • Products you’ll be selling
  • Business name and location

How Georgia Businesses Can Get a Sales Tax Permit

Business owners can request their permit online at the Georgia Tax Center. Once complete and submitted, you’ll receive a confirmation email, and then a hard copy, which will be sent by mail.

However, your application can be rejected if you failed to include any required information, leaving you no choice but to restart the application process and wait until the certificate of registration has been mailed to you a second time. This can cause unexpected delays with the opening of your business.

How to Get Your Georgia Sales Tax Certificate Fast

Missing or erroneous information can cause delays, but FastFilings helps businesses eliminate them. Just send your documentation to us, and we’ll check your application for completion and accuracy before filing directly with the issuing office.

Discover the benefits of choosing FastFilings’ quick and easy process for your business. Visit us online today.

Gather your business documentation and information

Apply for a Georgia Sales Tax Certificate!

Need help filing your sales tax certificate in Georgia?

The post What’s a Georgia Sales Tax Certificate? appeared first on .

]]>
https://dev.fastfilings.pomdev.net/whats-a-georgia-sales-tax-certificate/feed/ 0