This is an optional library you can install if you're working with Python. It uses an internal queue to make calls fast and non-blocking. It also batches requests and flushes asynchronously, making it perfect to use in any part of your web app or other server side application that needs performance.
Installation
pip install posthog
In your app, import the posthog
library and set your project API key and host before making any calls.
from posthog import Posthogposthog = Posthog('<ph_project_api_key>', host='https://us.i.posthog.com')
Note: As a rule of thumb, we do not recommend having API keys in plaintext. Setting it as an environment variable is best.
You can find your project API key and instance address in the project settings page in PostHog.
To debug, you can toggle debug mode:
posthog.debug = True
To make sure no calls happen during tests, you can disable PostHog, like so:
if settings.TEST:posthog.disabled = True
Capturing events
You can send custom events using capture
:
posthog.capture('distinct_id_of_the_user','user_signed_up')
Tip: We recommend using a
[object] [verb]
format for your event names, where[object]
is the entity that the behavior relates to, and[verb]
is the behavior itself. For example,project created
,user signed up
, orinvite sent
.
Setting event properties
Optionally, you can also include additional information in the event by setting the properties value:
posthog.capture("distinct_id_of_the_user","user_signed_up",{"login_type": "email","is_free_trial": "true"})
Sending page views
If you're aiming for a backend-only implementation of PostHog and won't be capturing events from your frontend, you can send pageviews
from your backend like so:
posthog.capture('distinct_id_of_the_user', '$pageview', {'$current_url': 'https://example.com'})
Person profiles and properties
PostHog captures identified events by default. These create person profiles. To set person properties in these profiles, include them when capturing an event:
posthog.capture('distinct_id',event='event_name',properties={'$set': {'name': 'Max Hedgehog'},'$set_once': {'initial_url': '/blog'}})
For more details on the difference between $set
and $set_once
, see our person properties docs.
To capture anonymous events without person profiles, set the event's $process_person_profile
property to false
:
posthog.capture('distinct_id',event='event_name',properties={'$process_person_profile': False})
Alias
Sometimes, you want to assign multiple distinct IDs to a single user. This is helpful when your primary distinct ID is inaccessible. For example, if a distinct ID used on the frontend is not available in your backend.
In this case, you can use alias
to assign another distinct ID to the same user.
posthog.alias(previous_id='distinct_id', distinct_id='alias_id')
We strongly recommend reading our docs on alias to best understand how to correctly use this method.
Feature flags
PostHog's feature flags enable you to safely deploy and roll back new features.
There are 2 steps to implement feature flags in Python:
Step 1: Evaluate the feature flag value
Boolean feature flags
is_my_flag_enabled = posthog.feature_enabled('flag-key', 'distinct_id_of_your_user')if is_my_flag_enabled:# Do something differently for this user# Optional: fetch the payloadmatched_flag_payload = posthog.get_feature_flag_payload('flag-key', 'distinct_id_of_your_user')
Multivariate feature flags
enabled_variant = posthog.get_feature_flag('flag-key', 'distinct_id_of_your_user')if enabled_variant == 'variant-key': # replace 'variant-key' with the key of your variant# Do something differently for this user# Optional: fetch the payloadmatched_flag_payload = posthog.get_feature_flag_payload('flag-key', 'distinct_id_of_your_user')
Step 2: Include feature flag information when capturing events
If you want use your feature flag to breakdown or filter events in your insights, you'll need to include feature flag information in those events. This ensures that the feature flag value is attributed correctly to the event.
Note: This step is only required for events captured using our server-side SDKs or API.
There are two methods you can use to include feature flag information in your events:
Method 1: Include the $feature/feature_flag_name
property
In the event properties, include $feature/feature_flag_name: variant_key
:
posthog.capture('distinct_id_of_your_user','event_name',{'$feature/feature-flag-key': 'variant-key' # replace feature-flag-key with your flag key. Replace 'variant-key' with the key of your variant})
Method 2: Set send_feature_flags
to true
The capture()
method has an optional argument send_feature_flags
, which is set to false
by default. By setting this to true
, feature flag information will automatically be sent with the event.
Note that by doing this, PostHog will make an additional request to fetch feature flag information before capturing the event. So this method is only recommended if you don't mind the extra API call and delay.
posthog.capture('distinct_id_of_your_user','event_name',send_feature_flags=True)
Fetching all flags for a user
You can fetch all flag values for a single user by calling get_all_flags()
or get_all_flags_and_payloads()
.
This is useful when you need to fetch multiple flag values and don't want to make multiple requests.
posthog.get_all_flags('distinct_id_of_your_user')posthog.get_all_flags_and_payloads('distinct_id_of_your_user')
Sending $feature_flag_called
events
Capturing $feature_flag_called
events enable PostHog to know when a flag was accessed by a user and thus provide analytics and insights on the flag. By default, we send a these event when:
- You call
posthog.get_feature_flag()
orposthog.feature_enabled()
, AND - It's a new user, or the value of the flag has changed.
Note: Tracking whether it's a new user or if a flag value has changed happens in a local cache. This means that if you reinitialize the PostHog client, the cache resets as well – causing
$feature_flag_called
events to be sent again when callingget_feature_flag
orfeature_enabled
. PostHog is built to handle this, and so duplicate$feature_flag_called
events won't affect your analytics.
You can disable automatically capturing $feature_flag_called
events. For example, when you don't need the analytics, or it's being called at such a high volume that sending events slows things down.
To disable it, set the send_feature_flag_events
argument in your function call, like so:
is_my_flag_enabled = posthog.feature_enabled('flag-key', 'distinct_id_of_your_user', send_feature_flag_events=False)# will not send `$feature_flag_called` events
Advanced: Overriding server properties
Sometimes, you may want to evaluate feature flags using person properties, groups, or group properties that haven't been ingested yet, or were set incorrectly earlier.
You can provide properties to evaluate the flag with by using the person properties
, groups
, and group properties
arguments. PostHog will then use these values to evaluate the flag, instead of any properties currently stored on your PostHog server.
For example:
posthog.get_feature_flag('flag-key','distinct_id_of_the_user',person_properties={'property_name': 'value'},groups={'your_group_type': 'your_group_id','another_group_type': 'your_group_id'},group_properties={'your_group_type': {'group_property_name': 'value'},'another_group_type': {'group_property_name': 'value'}},)
Overriding GeoIP properties
By default, a user's GeoIP properties are set using the IP address they use to capture events on the frontend. You may want to override the these properties when evaluating feature flags. A common reason to do this is when you're not using PostHog on your frontend, so the user has no GeoIP properties.
Currently PostHog does not provide a way to override GeoIP properties using our SDKs. Our API, however, does allow you do this. See our API docs on how to override GeoIP properties for more details.
Request timeout
You can configure the feature_flags_request_timeout_seconds
parameter when initializing your PostHog client to set a flag request timeout. This helps prevent your code from being blocked in the case when PostHog's servers are too slow to respond. By default, this is set at 3 seconds.
posthog = Posthog('<ph_project_api_key>',host='https://us.i.posthog.com'feature_flags_request_timeout_seconds=3 // Time in second. Default is 3)
Error handling
When using the PostHog SDK, it's important to handle potential errors that may occur during feature flag operations. Here's an example of how to wrap PostHog SDK methods in an error handler:
def handle_feature_flag(client, flag_key, distinct_id):try:is_enabled = client.is_feature_enabled(flag_key, distinct_id)print(f"Feature flag '{flag_key}' for user '{distinct_id}' is {'enabled' if is_enabled else 'disabled'}")return is_enabledexcept Exception as e:print(f"Error fetching feature flag '{flag_key}': {str(e)}")raise e# Usage exampletry:flag_enabled = handle_feature_flag(client, 'new-feature', 'user-123')if flag_enabled:# Implement new feature logicelse:# Implement old feature logicexcept Exception as e:# Handle the error at a higher level
Local Evaluation
Evaluating feature flags requires making a request to PostHog for each flag. However, you can improve performance by evaluating flags locally. Instead of making a request for each flag, PostHog will periodically request and store feature flag definitions locally, enabling you to evaluate flags without making additional requests.
It is best practice to use local evaluation flags when possible, since this enables you to resolve flags faster and with fewer API calls.
For details on how to implement local evaluation, see our local evaluation guide.
Experiments (A/B tests)
Since experiments use feature flags, the code for running an experiment is very similar to the feature flags code:
variant = posthog.get_feature_flag('experiment-feature-flag-key', 'user_distinct_id')if variant == 'variant-name':# Do something
It's also possible to run experiments without using feature flags.
Group analytics
Group analytics allows you to associate an event with a group (e.g. teams, organizations, etc.). Read the Group Analytics guide for more information.
Note: This is a paid feature and is not available on the open-source or free cloud plan. Learn more here.
- Capture an event and associate it with a group
posthog.capture('user_distinct_id', 'some_event', groups={'company': 'company_id_in_your_db'})
- Update properties on a group
posthog.group_identify('company', 'company_id_in_your_db', {'name': 'Awesome Inc.','employees': 11})
The name
is a special property which is used in the PostHog UI for the name of the Group. If you don't specify a name
property, the group ID will be used instead.
GeoIP properties
Before posthog-python v3.0, we added GeoIP properties to all incoming events by default. We also used these properties for feature flag evaluation, based on the IP address of the request. This isn't ideal since they are created based on your server IP address, rather than the user's, leading to incorrect location resolution.
As of posthog-python v3.0, the default now is to disregard the server IP, not add the GeoIP properties, and not use the values for feature flag evaluations.
You can go back to previous behaviour by doing setting the disable_geoip
argument in your initialization to False
:
posthog = Posthog('api_key', disable_geoip=False)
The list of properties that this overrides:
- $geoip_city_name
- $geoip_country_name
- $geoip_country_code
- $geoip_continent_name
- $geoip_continent_code
- $geoip_postal_code
- $geoip_time_zone
You can also explicitly chose to enable or disable GeoIP for a single capture request like so:
posthog.capture('test_id', 'test_event', disable_geoip=True|False)
Historical migrations
You can use the Python or Node SDK to run historical migrations of data into PostHog. To do so, set the historical_migration
option to true
when initializing the client.
from posthog import Posthogfrom datetime import datetimeposthog = Posthog('<ph_project_api_key>',host='https://us.i.posthog.com',debug=True,historical_migration=True)events = [{"event": "batched_event_name","properties": {"distinct_id": "user_id","timestamp": datetime.fromisoformat("2024-04-02T12:00:00")}},{"event": "batched_event_name","properties": {"distinct_id": "used_id","timestamp": datetime.fromisoformat("2024-04-02T12:00:00")}}]for event in events:posthog.capture(distinct_id=event["properties"]["distinct_id"],event=event["event"],properties=event["properties"],timestamp=event["properties"]["timestamp"],)
Serverless environments (Render/Lambda/...)
By default, the library buffers events before sending them to the capture endpoint, for better performance. This can lead to lost events in serverless environments, if the python process is terminated by the platform before the buffer is fully flushed. To avoid this, you can either:
- ensure that
posthog.flush()
is called after processing every request, by adding a middleware to your server: this allowsposthog.capture()
to remain asynchronous for better performance. - enable the
sync_mode
option when initializing the client, so that all calls toposthog.capture()
become synchronous.
Django
See our Django docs for how to set up PostHog in Django.
Sentry integration
When using Sentry in Python, you can connect to PostHog in order to link Sentry errors to PostHog user profiles.
Example implementation
See the sentry_django_example
project for a complete example.
import sentry_sdkfrom sentry_sdk.integrations.django import DjangoIntegrationfrom posthog.sentry.posthog_integration import PostHogIntegrationPostHogIntegration.organization = "orgname"sentry_sdk.init(dsn="https://examplePublicKey@o0.ingest.sentry.io/0",integrations=[DjangoIntegration(), PostHogIntegration()],)# Also set `posthog_distinct_id` tagfrom sentry_sdk import configure_scopewith configure_scope() as scope:scope.set_tag('posthog_distinct_id', 'some distinct id')
Example implementation with Django
This can be made automatic in Django, by adding the following middleware and settings to settings.py
:
MIDDLEWARE = ["posthog.sentry.django.PosthogDistinctIdMiddleware"]POSTHOG_DJANGO = {"distinct_id": lambda request: request.user and request.user.distinct_id}
Alternative name
As our open source project PostHog shares the same module name, we created a special posthoganalytics
package, mostly for internal use to avoid module collision. It is the exact same.
Thank you
This library is largely based on the analytics-python
package.