Top 5 API Features to Extend HubSpot Capabilities – Part 3: HubDB

Share

Share on facebook
Share on twitter
Share on linkedin

This blog post is part of our 5-part series about HubSpot API Features. In case you missed Part 2, check it out here!

In this third installment of our HubSpot API series, we’ll talk through a powerful backend and frontend tool that allows marketers to better dynamicize their assets. 

You’re probably familiar with HubSpot’s default object model (contacts, companies, deals, tickets, products, line items). If you’ve read the previous post in the series on custom objects, you’re aware of how to extend the default model to suit your data needs as well.

And while this object data can be referenced by marketing assets to serve dynamic content to your contacts, there could be additional use cases where you’d like to dynamically pull other kinds of data into your assets. HubDB is likely the solution for such needs.It provides data storage flexibility outside the bounds of the object model and can be easily called into your marketing assets.

HubSpot HubDB

As you’ve probably gleaned, HubDB is a way to store data in a relational manner (think tables with columns and rows) where the data can be dynamically pulled into key marketing assets, like emails and landing pages. And because this data isn’t stored within HubSpot’s object model (contacts, companies, deals, etc), it’s inherently more flexible and can essentially serve any sort of data to your assets.

You can reference your HubDB data programmatically in a few different ways:

  • By querying (externally) via the HubDB API
  • Within HubL markup language in your website pages, landing pages, and emails
  • Via serverless functions in a web app

 

In this article, we’ll just cover the first two methods, but keep an eye out for a separate post on serverless functions in the future.

So far, this probably seems a bit abstract, so let’s take a look at a real-world example…

Getting Started

The best way to get started is to, well… get started! Let’s hit the API and create a HubDB table so we can add in some sample data and then view said data. While you can create a table and import data on the frontend, we’re reviewing the programmatic way to do this so you can automate these tasks for future use.

Again, HubDB tables can be thought of as big spreadsheets with columns, rows, and cells. To create one of these tables, we’ll need to define our headers (columns) so we can import data (as rows/cells).

Let’s say we’re in the events space and our marketing team wants to promote upcoming trade shows in a geographic region via a landing page. Let’s also assume we have a database containing all of the up-to-date, relevant event data we could want to display on this landing page. It’s safe to assume that our marketing team members have a lot of work on their plates and don’t want to have to manually update the page every week.

1. Create a table

With those assumptions noted, here’s how we can create a HubDB table, with a cURL request, to store our event data:

				
					curl --request POST \
  --url https://api.hubapi.com/cms/v3/hubdb/tables \
  --header 'authorization: Bearer YOUR_ACCESS_TOKEN' \
  --header 'content-type: application/json' \
  --data '{
  "label": "Events",
  "name": "events",
  "columns": [
    {
      "name": "event_name",
      "label": "Event Name",
      "id": "1",
      "type": "TEXT"
    },
    {
      "name": "event_date",
      "label": "Event Date",
      "id": "2",
      "type": "DATE"
    },
    {
      "name": "event_location",
      "label": "Event Location",
      "id": "3",
      "type": "TEXT"
    }
  ],
  "useForPages": true,
  "allowChildTables": false,
  "enableChildTablePages": false,
  "allowPublicApiAccess": true
}'
				
			

Here, we’ve created a table named Events with three columns: Event Name, Event Date, and Event Location. At the end of the data payload, we’ve also indicated that this table can be used in HubSpot pages and accessed via the API.

2. Import Data

Now that we have our table created, let’s import some sample data into it. Later, we’ll call this sample data into a landing page via HubL.For now, we’ll focus on getting it into the table and viewing the raw data.

This cURL example illustrates how to import a single row of data but you can (and certainly will want to) configure your code to make this request in some sort of loop.

				
					curl --request POST \
  --url https://api.hubapi.com/cms/v3/hubdb/tables/events/rows \
  --header 'authorization: Bearer YOUR_ACCESS_TOKEN' \
  --header 'content-type: application/json' \
  --data '{
  "path": "events",
  "name": "event_name",
  "values": {
    "event_name": "obo 2022 Event",
    "event_date": 1659312000000,
    "event_location": "Washington, DC"
  }
}'
				
			

You should get a 201 success response back, indicating a row has been created in the Events table with: an Event Name of “obo 2022 Event”, an Event Date of 8/1/2022 (the HubSpot API expects the unix millisecond at midnight to be passed), and an Event Location of “Washington, DC”.

Some other callouts here: the value of the “path” key in the data payload is used as the slug in dynamic pages. Similarly, the value of the “name” key is used as title in the dynamic pages.

You can also programmatically import table data from a CSV file, which could be a solid approach if you’re leveraging some sort of FTP server/process. Check out HubSpot’s full documentation here for more info.

3. View/retrieve Data

Now that we have some data inserted into our table, let’s view it to make sure it all looks good. You can do this on the frontend by navigating to Marketing → Files and Templates → HubDB and then to your newly created table:

HUBDB screenshot

But let’s also take a look at how to do this on the backend, via the API (make sure you table is published first):

				
					curl --request GET \
  --url https://api.hubapi.com/cms/v3/hubdb/tables/events/rows \
  --header 'authorization: Bearer YOUR_ACCESS_TOKEN'
				
			

You can expect a response like this:

				
					HTTP 200

{
  "total": 1,
  "results": [
    {
      "id": "80647711550",
      "createdAt": "2022-07-31T01:45:10.255Z",
      "updatedAt": "2022-07-31T01:45:10.255Z",
      "values": {
        "event_location": "Washington, DC",
        "event_date": 1659312000000,
        "event_name": "obo 2022 Event"
      },
      "path": "events",
      "name": "event_name",
      "childTableId": "0"
    }
  ]
}
				
			

HubDB with HubL 

Now that we’re comfortable interacting with our table via the API, let’s take this example a bit further. As mentioned, our marketing team wants to have our table data pulled into their landing page automatically so they don’t have to spend time manually updating.

To do this, we’ll want to leverage HubL, HubSpot’s templating language for CMS and marketing assets. HubL is built on top of Jinja (a widely-use templating language) and much of the syntax is similar, so it may look familiar to you already. We’ll assume you have some HubL experience/familiarity already but if not, be sure to check out the docs first.

HubL will allow us to call our table and loop through the contents of the table (i.e. each row of the table) and display the data points (columns) we want on the page. This means our landing page will automatically update in real-time with updates made to our table. This also means that we can set up code to systematically query our fictional database of events data and upsert updates into our HubDB table, which will then show on our landing page.

1. Create a module

The first step here is to create a module that we can pull into our landing page. This module will contain HubL code which will reference our newly created HubDB table and allow it to be displayed onto our page.

This is done on the frontend of HubSpot, so navigate to Marketing → Files and Templates → Design Tools. Once there, create a new file with the Module type.

Module type screenshot

We’ll make the module super simple to keep the example straightforward, but you’ll want to make sure it’s styled to fit the theme of your landing page. So all we’re going to do is write some HubL, wrap it in body HTML tags, and drop it into the module.html (HTML + HubL) section. We can leave the module.css and module.js sections blank.

Here’s what we’ll drop into the module.html section:

				
					<body>
  {% set trows = hubdb_table_rows(YOUR_TABLE_ID) %}
  {% for row in trows %}
    {{ row.event_name }} <br>
    {{ row.event_date }} | {{ row.event_location }} <br>
  {% endfor %}
</body>
				
			

And that’s it. We’ve called the table in the first line of HubL, and looped through each row, referencing the columns we want to display. Don’t forget to hit the Publish button once you’re done so it can be called in our landing page builder.

2. Reference module within landing page

Now that our module’s created, let’s go to our landing page (we’re assuming yours is built already) and drop in the module where we want to display it (we’ve names our module: Events Module):

Landing page module screenshot

Now, you can preview your page and can expect to see the table data formatted as we wrote in our module code. If you don’t like the formatting, you can always update the module to display the column data that best suits the page.

event module example

Note that the date shows as the unix millisecond timestamp in our example, for illustrative purposes. You may want to configure your date column as a text type for better formatting within your assets.

Final Thoughts

To fully automate this process, you’d need some sort of scheduled runtime to pull updated data from the fictional events database and upsert into the HubDB table, which, truthfully, is probably the bulk of the project. Our intention with this walkthrough is to familiarize you with HubDB and how it functions, but is by no means exhaustive. 

Our example is relatively small in scope, but it’s important to note that HubDB is really powerful and can be leveraged for more complex needs. Some features to call out that we didn’t dig into are:

Relational tables – like any relational database, HubDB allows you to “connect” tables together by matching up Foreign IDs with another table (docs here).

Serverless functions – a way to write server-side code that interacts with HubSpot APIs without having to spin up/manage servers (docs here)

Batch API functionality – endpoints designed to interact with your HubDB tables in bulk, increasing speed, efficiency, etc (docs here)

HubL filter querying – in our example, we pulled the entire table into the landing page, but oftentimes it makes sense to filter down your table to pull in more specific rows (docs here)

Finally, here are some limitations with HubDB to be aware of:

  • Only available on Marketing Hub Enterprise or CMS Hub Professional/Enterprise
  • 10k rows per HubDB table
  • 1k tables per account
  • 10 table scans per CMS page

Interested in joining the obo team?

Related Posts

Get the Latest.

Sign up for monthly blog notifications to learn more about the latest sales and marketing trends.

Ready to drive results?

We want to help your business be what you envision it to be.
Schedule your free consultation here now.

OutboundOps, LLC (dba obo.)

STANDARD TERMS AND CONDITIONS

These Standard Terms and Conditions (the “Terms”) set forth the terms and conditions that govern purchases by any purchaser (the “Client”) of outbound demand generation services and other related services (the “Services”) from OutboundOps, LLC dba obo. Agency (“obo. Agency”). The Terms and any purchase orders, scopes of work and other agreements regarding the Services shall be referred to as the “Agreement.”

1. OFFER FOR SALE.

All agreements between the Client and obo. Agency to purchase the Services shall be governed by the terms and conditions herein. The Client and obo. Agency agree that any modifications, changes, alterations of the terms and conditions herein, with respect to any specific proposal, must be in writing and signed by the Client and obo. Agency. obo. Agency hereby objects to any additional or different terms which may be contained in any of the Client’s purchase orders, acknowledgements or other documents or any communications received from the Client, and the Client and obo. Agency hereby agree that any such attempts shall be null and void and not deemed a part of the terms and conditions hereunder or any resulting order. 

Any offer hereunder shall expire thirty (30) days following its date, unless the Client executes and returns to obo. Agency that proposal for the applicable Services within such thirty (30) day period. No order may be cancelled, modified or altered by the Client, without written consent of obo. Agency, which may be withheld in its sole discretion.

2. FEES AND PAYMENT.

The fees for the Services are set forth in the applicable proposal provided by obo. Agency and otherwise are based on obo. Agency’s current fees, in effect at the time of order, for the Services. The Client acknowledges and agrees that, if it purchases Services with a minimum period for the Services, such amounts shall be due and payable if this Agreement is terminated sooner.

obo. Agency shall provide the Client with invoices, no more frequently than monthly, for the fees due from the Client under the Agreement. All payments for the Services are payable only in United States Dollars. The Client shall make payment for any and all monthly fees on or before the first day of the applicable month for Services. Unless obo. Agency requires payment in advance or upon different terms, for any other services, the Client shall make payment for all fees within thirty (30) days following the date of invoice.

Subject to the limitations above, payments may be made only in cash or by check or wire transfer or by certain credit cards provided that Client provides credit card authorization satisfactory to obo. Agency.

Charges will be assessed on past due accounts as follows: (i) a late charge at a rate equal to the lesser of one and one-half percent (1.5%) per month or the highest rate permitted by applicable law, and (ii) reasonable collection costs and expenses, including attorneys’ fees and court costs.

The Client’s failure to pay in accordance with the provisions of this Section 2 shall entitle obo.

Agency, without prejudice to its rights to damages, to suspend or cancel any outstanding orders or Services or require further assurance of payment from the Client.

3. TERM AND TERMINATION.

The term of this Agreement shall commence on the effective date as set forth in the applicable proposal, and if not specified, on the date that the proposal is signed (the “Effective Date”) and shall continue in effect, until terminated, in accordance with the terms and conditions set forth in this Agreement, until the date that is the time period specified in the applicable proposal following the Effective Date (and if not specified for six (6) months following the Effective Date, and shall automatically renew for additional terms of equal period unless either party provides thirty (30) days’ written notice to the other party at any time and for any reason whatsoever of its intention to terminate the agreement for convenience (the “Term”).

Either party may terminate this Agreement for a material breach of any provision of this Agreement by the other party upon fourteen (14) days’ prior written notice to the other party, such notice to set forth in detail such breach, and the breaching party’s failure to cure such breach. Either party may terminate this Agreement immediately without breach or penalty by written notice to the other party in the event the other party: (i) institutes or has instituted against it proceedings for bankruptcy (which, in the case of proceedings against it, shall remain for ninety (90) days undismissed), (ii) shall consent to the appointment of a receiver for all or substantially all of its property, (iii) shall make a general assignment for the benefit of its creditors, or shall admit in writing its inability to pay its debts as they become due; or (iv) shall be adjudged a bankrupt or insolvent by a court of competent jurisdiction.

At obo. Agency’s sole discretion, the Services may be immediately terminated or suspended if the Client violates any part of this Agreement. Upon termination of obo. Agency’s engagement hereunder, the Client shall pay to obo. Agency the fees payable to obo. Agency for the Services rendered through the date of termination in accordance with Section 2 hereof.

4. WARRANTY.

obo. Agency warrants to the Client that the Services shall meet the requirements of the applicable proposal and industry standards for a period of sixty (60) days from the date of delivery of the Services to the Client. For purposes of clarity, this limited warranty shall not be applicable to: (a) technical and other issues related to the Client’s website, hardware, software or data that are not related to the Services, including without limitation, development, creation and enhancement of the Client’s website, (b) technical and other issues resulting from any third party’s services or involvement regarding the Client’s website or (c) technical or other issues related to Client’s compliance with data security and other privacy laws that are not within the scope of the obo. Agency Services hereunder.

obo. Agency’s sole responsibility shall be, at its option, during the warranty period either: (i) to repair any warranty issues related to the Services or (ii) to refund to the Client the amounts paid during the warranty period, less a reasonable allowance for use, for such Services with warranty issues.

THIS WARRANTY IS THE SOLE AND EXCLUSIVE WARRANTY GIVEN BY OBO. AGENCY WITH RESPECT TO THE SERVICES PROVIDED BY OBO. AGENCY. EXCEPT AS EXPRESSLY SET FORTH HEREIN, TO THE MAXIMUM EXTENT PERMITTED BY LAW, OBO. AGENCY DISCLAIMS ALL WARRANTIES OF ANY KIND, EITHER EXPRESS, IMPLIED, STATUTORY OR COMMON LAW, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND TITLE. SOME JURISDICTIONS DO NOT ALLOW THE WAIVER OR EXCLUSION OF SOME WARRANTIES SO THEY MAY NOT APPLY. IF THIS EXCLUSION IS HELD TO BE UNENFORCEABLE BY A COURT OF COMPETENT JURISDICTION, THEN ALL EXPRESS, IMPLIED AND STATUTORY WARRANTIES SHALL BE LIMITED IN DURATION TO A PERIOD OF SIXTY (60) DAYS FROM THE DATE OF PROVISION OF EACH PORTION OF THE SERVICES, AND NO WARRANTIES SHALL APPLY AFTER THAT PERIOD.

5. LIMITATION OF LIABILITY.
THE CLIENT EXPRESSLY UNDERSTANDS AND AGREES THAT OBO. AGENCYSHALL NOT BE LIABLE TO THE CLIENT OR ANY THIRD PARTY FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, PUNITIVE, CONSEQUENTIAL OR EXEMPLARY DAMAGES, EVEN IF OBO. AGENCY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES, WHETHER SUCH LIABILITY IS BASED UPON CONTRACT, TORT, NEGLIGENCE OR OTHER LEGAL THEORY. THE CLIENT EXPRESSLY UNDERSTANDS AND AGREES THAT OBO. AGENCY’S CUMULATIVE LIABILITY TO THE CLIENT UNDER THIS AGREEMENT SHALL NOT EXCEED THE AGGREGATE AMOUNT PAID TO OBO. AGENCY UNDER THIS AGREEMENT DURING THE FOUR (4) MONTH PRIOR TO ANY CLAIM.

The Client acknowledges that all delivery dates are approximate. In no event shall obo. Agency be liable for any delays in delivery of the Services.

6. INTELLECTUAL PROPERTY.

obo. Agency agrees that the Client shall own all right, title and interest in and to any pre-existing works of Client, including without limitation, content owned by Client that is provided to obo. Agency (the “Pre-Existing Works”). In the event that any Pre-Existing Works are incorporated into or are used in conjunction with the Services under this Agreement, then during the Term, the Client hereby grants to obo. Agency a fully paid up, non-exclusive, non-transferable, non-sublicensable license to use the Pre-Existing Works solely to provide the Services hereunder.

Upon payment in full for all Services rendered under this Agreement, obo. Agency hereby transfers and assigns to the Client all right, title and interest in and to all work performed in conjunction with the Services, but not including the Licensed IP. For purposes of this Agreement, “Licensed IP” shall mean any and all photographs, artwork and other content and materials that were licensed (not purchased by obo. Agency) for the Services. During the Term, obo. Agency hereby grants to the Client a fully paid up, non-exclusive, non-transferable, non-sublicensable license to use the Licensed IP solely in connection with the Services.

The Client acknowledges that obo. Agency retains all right, title and interest in and to any and all processes, procedures, methods and know-how related to the performance of the Services and any and all related copyrights, trademarks, patents, trade secrets and other intellectual property and proprietary rights. obo. Agency’s name and logo, and all related service names, marks and slogans are the trademarks, service marks or registered trademarks of obo. Agency and may not be used or modified in any manner without the prior written consent of obo. Agency.

7. CONFIDENTIALITY.
At all times during the term of this Agreement and for two (2) years thereafter, the receiving party shall keep confidential and not disclose, directly or indirectly, and shall not use for the benefit of itself of any other third party any Confidential Information of the disclosing party, except that the receiving party may disclose Confidential Information of the disclosing party to its employees and subcontractors to the extent necessary to enable each party to exercise its rights hereunder. “Confidential Information” means any trade secrets or information whether in written, digital, oral or other form which is confidential or proprietary to the disclosing party, including, but not limited to, software, inventions, customer lists, financial information, business methods and processes, and any other materials or information related to any aspect of the business or activities of the disclosing party which are not generally known to others engaged in similar businesses or activities. Notwithstanding the foregoing, Confidential Information does not include information which: (i) was publicly known or generally known within the trade at the time of disclosure; (ii) becomes public knowledge or generally known within the trade without breach of this Agreement by either party or any of its directors, officers or employees; (iii) was information already known by the receiving party at the time of disclosure without a duty of confidentiality, or information independently developed by the receiving party’s personnel who did not have access to the information disclosed by the disclosing party; (iv) is required to be disclosed by law; or (v) is obtained by a party, its officers or employees from third parties who are under no obligation of confidentiality with respect to the information. If the receiving party is required to disclose any Confidential Information by a court order or other specific governmental action, the receiving party may comply with such disclosure requirement, unless the disclosing party, at its own expense, is successful in having the effect of such requirement stayed pending an appeal or further review thereof, or revised, rescinded or otherwise nullified. In all events, the receiving party agrees to notify the disclosing party promptly if at any time a request or demand of any kind is made to the receiving party to disclose any of the disclosing party’s Confidential Information. The disclosing party shall have the right, at its cost, to intervene in any proceeding in which the receiving party is being asked to disclose any of the disclosing party’s Confidential Information.

8. TAXES AND OTHER CHARGES.
The Client shall pay, in addition to the prices as set forth herein, any and all occupation tax, use tax, property tax, sales tax, excise tax, value-added tax, duty, custom, inspection or testing fee, or any other tax, fee or charge of any nature whatsoever, except for taxes on obo. Agency’s income, imposed by any governmental authority on or measured by the transaction between obo. Agency and the Client. The Client shall indemnify, defend and hold harmless obo. Agency against all claims, losses, damages, liabilities, costs and expenses, including reasonable attorneys’ fees, to the extent such claims arise out of any breach of this Section.

9. REPRESENTATIONS.
The Client represents and warrants to obo. Agency that: (i) he is at least 18 years old; (ii) in the event that the Client is an entity, that it has the full right, power and authority to enter into this Agreement; (iii) the performance by the Client of its obligations and duties hereunder, do not and will not violate any agreement to which the Client is a party or by which the Client is otherwise bound; and (iv) the Client’s use of the Services complies in all respects with all applicable laws, statutes, regulations, ordinances and other rules including without limitation, all Federal, state and international laws in connection with data security and privacy of personal data of any identifiable natural person. The Client further represents and warrants that the Client shall ensure that privacy notices posted on Client’s website shall inform users of their rights under all applicable laws.
.
The Client further represents and warrants to obo. Agency that the Client shall not violate, misappropriate or infringe upon any patent, copyright, trademark, trade secret and/or other intellectual property or proprietary rights of any third party.

10. INDEMNIFICATION.
The Client shall indemnify, defend and hold harmless obo.Agency and its directors, officers, employees and agents from and against any and all claims, losses, damages, liabilities, costs and expenses, including reasonable attorneys’ fees, that arise out of, result from or are related to (i) a breach by the Client of any warranty, representation or covenant set forth herein, (ii) the Client’s negligence or willful misconduct, and (iii) violation, misappropriation or infringement upon any patent, copyright, trademark, trade secret and/or other intellectual property or proprietary rights of any third party.

11. GOVERNING LAW.
THE PARTIES AGREE THAT THIS AGREEMENT AND THE RELATIONSHIP BETWEEN THE PARTIES SHALL BE GOVERNED BY AND CONSTRUED IN ACCORDANCE WITH THE LAWS OF THE STATE OF MARYLAND, WITHOUT REGARD TO ITS PRINCIPLES OF CONFLICTS OF LAWS AND WITHOUT REGARD TO THE UNIFORM COMPUTER INFORMATION TRANSACTIONS ACT. THE PARTIES AGREE THAT THE UNITED NATIONS CONVENTION ON CONTRACTS FOR THE INTERNATIONAL SALE OF GOODS SHALL NOT APPLY TO THIS AGREEMENT. THE PARTIES AGREE TO SUBMIT TO THE EXCLUSIVE  JURISDICTION AND VENUE OF THE FEDERAL AND/OR STATE COURTS IN THE STATE OF MARYLAND FOR THE RESOLUTION OF ANY DISPUTES AMONGST THE PARTIES UNDER THIS AGREEMENT.

12. NOTICES.
Any notice provided pursuant to this Agreement shall be in writing and shall be deemed given (i) if by hand delivery, upon receipt thereof; (ii) if mailed, two (2) days after deposit in the U.S. mails, postage prepaid, certified mail return receipt requested, or (iii) if sent via overnight courier, upon receipt.

13. GENERAL INFORMATION.
This Agreement constitutes the entire agreement between the parties with respect to the subject matter herein, superseding any prior agreements between the parties. The Client further acknowledges and agrees that the Client may not assign any part of this Agreement without obo. Agency’s prior written consent, which may be withheld at its sole discretion. This Agreement shall inure to the benefit of each party’s successors and assigns. obo. Agency shall not be deemed to be in breach of the Agreement and thereby liable to the Client or any third party for any delays in the performance of its obligations hereunder caused by fire, explosion, act of God, strikes, war, riot, government regulation, inability to obtain necessary labor, materials or manufacturing facilities or any other act or cause beyond the reasonable control of obo. Agency. The failure of obo. Agency to exercise or enforce any right or provision of this Agreement shall not constitute a waiver of such right or provision. If any provision of this Agreement is found by a court of competent jurisdiction to be invalid, the parties nevertheless agree that the court should endeavor to give effect to the parties’ intentions as reflected in the provision, and the other provisions of this Agreement shall remain in full force and effect.

14. CONTACTING OBO.AGENCY
If the Client has any questions about this Agreement, or any question or problem regarding the Services, the Client can contact obo. Agency by mail at:
obo. Agency
7165 Columbia Gateway Drive, Suite A

Columbia, MD 21046

Or by telephone at (410) 650-5708.

Effective: August 01, 2019.

obo. : Privacy Policy

Purpose

This privacy notice discloses the practices for obo. Agency (OBO) and applies to information collected by this website.

OBO places a high value on your privacy and the expectation that any information collected by OBO remains confidential and is made available only to persons who have a legitimate right to know. OBO recognizes that all employees have an ethical and legal obligation to keep your information confidential and to protect and safeguard this information against unauthorized use. 

Information We Collect

OBO only has access to collect confidential information that you choose to disclose. Confidential information includes, but is not limited to: name, email address, phone number, and address. 

OBO is the sole owner of the information collected and will not sell, trade, or give any confidential information to a third party without express permission. OBO will use gathered information to respond to you regarding the reason you contacted OBO or display/deliver materials, such as emails and content.

Disclosure of Information

An employee may access, discuss, use, and disclose confidential information only for OBO business as it relates to that employee’s specific job functions and/or responsibilities. Only “Minimally Necessary” information may be disclosed within OBO. “Minimally Necessary” means that only the amount of confidential information necessary to accomplish the intended purpose may be disclosed.

Access to Information

Confidential information may only be accessed by employees if related to specific job functions and responsibilities.

If you wish to correct, update, or otherwise modify information provided to OBO, please reach out via email or phone number. You may opt out of future correspondence at any time by contacting OBO via email or phone number.

Security

OBO has security measures in place to protect against the loss, misuse, or alteration of any information under our control, both online and offline.

Change to This Privacy Policy

This website privacy policy is effective as of the date of its posting. OBO may change this privacy policy over time.

How to Contact Us:

If you have any questions regarding this privacy policy, please contact OBO at office@oboagency.com or 410-650-5708 with a detailed description of your inquiry. 

Last Updated October 7th, 2021