Temporarily restore integration with Amplitude
This will be reverted later, once we fully switch to Mixpanel
This commit is contained in:
parent
ac5d5e2451
commit
022f70b1de
9 changed files with 348 additions and 2 deletions
1
.github/workflows/ci.yml
vendored
1
.github/workflows/ci.yml
vendored
|
@ -56,6 +56,7 @@ jobs:
|
||||||
MACOS_CERTIFICATE_PASSWORD: ${{ secrets.MACOS_CERTIFICATE_PASSWORD }}
|
MACOS_CERTIFICATE_PASSWORD: ${{ secrets.MACOS_CERTIFICATE_PASSWORD }}
|
||||||
APPLE_NOTARIZATION_USERNAME: ${{ secrets.APPLE_NOTARIZATION_USERNAME }}
|
APPLE_NOTARIZATION_USERNAME: ${{ secrets.APPLE_NOTARIZATION_USERNAME }}
|
||||||
APPLE_NOTARIZATION_PASSWORD: ${{ secrets.APPLE_NOTARIZATION_PASSWORD }}
|
APPLE_NOTARIZATION_PASSWORD: ${{ secrets.APPLE_NOTARIZATION_PASSWORD }}
|
||||||
|
ZED_AMPLITUDE_API_KEY: ${{ secrets.ZED_AMPLITUDE_API_KEY }}
|
||||||
ZED_MIXPANEL_TOKEN: ${{ secrets.ZED_MIXPANEL_TOKEN }}
|
ZED_MIXPANEL_TOKEN: ${{ secrets.ZED_MIXPANEL_TOKEN }}
|
||||||
steps:
|
steps:
|
||||||
- name: Install Rust
|
- name: Install Rust
|
||||||
|
|
11
.github/workflows/release_actions.yml
vendored
11
.github/workflows/release_actions.yml
vendored
|
@ -20,3 +20,14 @@ jobs:
|
||||||
|
|
||||||
${{ github.event.release.body }}
|
${{ github.event.release.body }}
|
||||||
```
|
```
|
||||||
|
amplitude_release:
|
||||||
|
runs-on: ubuntu-latest
|
||||||
|
steps:
|
||||||
|
- uses: actions/checkout@v3
|
||||||
|
- uses: actions/setup-python@v4
|
||||||
|
with:
|
||||||
|
python-version: "3.10.5"
|
||||||
|
architecture: "x64"
|
||||||
|
cache: "pip"
|
||||||
|
- run: pip install -r script/amplitude_release/requirements.txt
|
||||||
|
- run: python script/amplitude_release/main.py ${{ github.event.release.tag_name }} ${{ secrets.ZED_AMPLITUDE_API_KEY }} ${{ secrets.ZED_AMPLITUDE_SECRET_KEY }}
|
||||||
|
|
1
.gitignore
vendored
1
.gitignore
vendored
|
@ -9,3 +9,4 @@
|
||||||
/assets/themes/*.json
|
/assets/themes/*.json
|
||||||
/assets/themes/internal/*.json
|
/assets/themes/internal/*.json
|
||||||
/assets/themes/experiments/*.json
|
/assets/themes/experiments/*.json
|
||||||
|
**/venv
|
277
crates/client/src/amplitude_telemetry.rs
Normal file
277
crates/client/src/amplitude_telemetry.rs
Normal file
|
@ -0,0 +1,277 @@
|
||||||
|
use crate::http::HttpClient;
|
||||||
|
use db::Db;
|
||||||
|
use gpui::{
|
||||||
|
executor::Background,
|
||||||
|
serde_json::{self, value::Map, Value},
|
||||||
|
AppContext, Task,
|
||||||
|
};
|
||||||
|
use isahc::Request;
|
||||||
|
use lazy_static::lazy_static;
|
||||||
|
use parking_lot::Mutex;
|
||||||
|
use serde::Serialize;
|
||||||
|
use serde_json::json;
|
||||||
|
use std::{
|
||||||
|
io::Write,
|
||||||
|
mem,
|
||||||
|
path::PathBuf,
|
||||||
|
sync::Arc,
|
||||||
|
time::{Duration, SystemTime, UNIX_EPOCH},
|
||||||
|
};
|
||||||
|
use tempfile::NamedTempFile;
|
||||||
|
use util::{post_inc, ResultExt, TryFutureExt};
|
||||||
|
use uuid::Uuid;
|
||||||
|
|
||||||
|
pub struct AmplitudeTelemetry {
|
||||||
|
http_client: Arc<dyn HttpClient>,
|
||||||
|
executor: Arc<Background>,
|
||||||
|
session_id: u128,
|
||||||
|
state: Mutex<AmplitudeTelemetryState>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Default)]
|
||||||
|
struct AmplitudeTelemetryState {
|
||||||
|
metrics_id: Option<Arc<str>>,
|
||||||
|
device_id: Option<Arc<str>>,
|
||||||
|
app_version: Option<Arc<str>>,
|
||||||
|
os_version: Option<Arc<str>>,
|
||||||
|
os_name: &'static str,
|
||||||
|
queue: Vec<AmplitudeEvent>,
|
||||||
|
next_event_id: usize,
|
||||||
|
flush_task: Option<Task<()>>,
|
||||||
|
log_file: Option<NamedTempFile>,
|
||||||
|
}
|
||||||
|
|
||||||
|
const AMPLITUDE_EVENTS_URL: &'static str = "https://api2.amplitude.com/batch";
|
||||||
|
|
||||||
|
lazy_static! {
|
||||||
|
static ref AMPLITUDE_API_KEY: Option<String> = std::env::var("ZED_AMPLITUDE_API_KEY")
|
||||||
|
.ok()
|
||||||
|
.or_else(|| option_env!("ZED_AMPLITUDE_API_KEY").map(|key| key.to_string()));
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
struct AmplitudeEventBatch {
|
||||||
|
api_key: &'static str,
|
||||||
|
events: Vec<AmplitudeEvent>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
struct AmplitudeEvent {
|
||||||
|
#[serde(skip_serializing_if = "Option::is_none")]
|
||||||
|
user_id: Option<Arc<str>>,
|
||||||
|
device_id: Option<Arc<str>>,
|
||||||
|
event_type: String,
|
||||||
|
#[serde(skip_serializing_if = "Option::is_none")]
|
||||||
|
event_properties: Option<Map<String, Value>>,
|
||||||
|
#[serde(skip_serializing_if = "Option::is_none")]
|
||||||
|
user_properties: Option<Map<String, Value>>,
|
||||||
|
os_name: &'static str,
|
||||||
|
os_version: Option<Arc<str>>,
|
||||||
|
app_version: Option<Arc<str>>,
|
||||||
|
platform: &'static str,
|
||||||
|
event_id: usize,
|
||||||
|
session_id: u128,
|
||||||
|
time: u128,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[cfg(debug_assertions)]
|
||||||
|
const MAX_QUEUE_LEN: usize = 1;
|
||||||
|
|
||||||
|
#[cfg(not(debug_assertions))]
|
||||||
|
const MAX_QUEUE_LEN: usize = 10;
|
||||||
|
|
||||||
|
#[cfg(debug_assertions)]
|
||||||
|
const DEBOUNCE_INTERVAL: Duration = Duration::from_secs(1);
|
||||||
|
|
||||||
|
#[cfg(not(debug_assertions))]
|
||||||
|
const DEBOUNCE_INTERVAL: Duration = Duration::from_secs(30);
|
||||||
|
|
||||||
|
impl AmplitudeTelemetry {
|
||||||
|
pub fn new(client: Arc<dyn HttpClient>, cx: &AppContext) -> Arc<Self> {
|
||||||
|
let platform = cx.platform();
|
||||||
|
let this = Arc::new(Self {
|
||||||
|
http_client: client,
|
||||||
|
executor: cx.background().clone(),
|
||||||
|
session_id: SystemTime::now()
|
||||||
|
.duration_since(UNIX_EPOCH)
|
||||||
|
.unwrap()
|
||||||
|
.as_millis(),
|
||||||
|
state: Mutex::new(AmplitudeTelemetryState {
|
||||||
|
os_version: platform
|
||||||
|
.os_version()
|
||||||
|
.log_err()
|
||||||
|
.map(|v| v.to_string().into()),
|
||||||
|
os_name: platform.os_name().into(),
|
||||||
|
app_version: platform
|
||||||
|
.app_version()
|
||||||
|
.log_err()
|
||||||
|
.map(|v| v.to_string().into()),
|
||||||
|
device_id: None,
|
||||||
|
queue: Default::default(),
|
||||||
|
flush_task: Default::default(),
|
||||||
|
next_event_id: 0,
|
||||||
|
log_file: None,
|
||||||
|
metrics_id: None,
|
||||||
|
}),
|
||||||
|
});
|
||||||
|
|
||||||
|
if AMPLITUDE_API_KEY.is_some() {
|
||||||
|
this.executor
|
||||||
|
.spawn({
|
||||||
|
let this = this.clone();
|
||||||
|
async move {
|
||||||
|
if let Some(tempfile) = NamedTempFile::new().log_err() {
|
||||||
|
this.state.lock().log_file = Some(tempfile);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.detach();
|
||||||
|
}
|
||||||
|
|
||||||
|
this
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn log_file_path(&self) -> Option<PathBuf> {
|
||||||
|
Some(self.state.lock().log_file.as_ref()?.path().to_path_buf())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn start(self: &Arc<Self>, db: Db) {
|
||||||
|
let this = self.clone();
|
||||||
|
self.executor
|
||||||
|
.spawn(
|
||||||
|
async move {
|
||||||
|
let device_id = if let Ok(Some(device_id)) = db.read_kvp("device_id") {
|
||||||
|
device_id
|
||||||
|
} else {
|
||||||
|
let device_id = Uuid::new_v4().to_string();
|
||||||
|
db.write_kvp("device_id", &device_id)?;
|
||||||
|
device_id
|
||||||
|
};
|
||||||
|
|
||||||
|
let device_id = Some(Arc::from(device_id));
|
||||||
|
let mut state = this.state.lock();
|
||||||
|
state.device_id = device_id.clone();
|
||||||
|
for event in &mut state.queue {
|
||||||
|
event.device_id = device_id.clone();
|
||||||
|
}
|
||||||
|
if !state.queue.is_empty() {
|
||||||
|
drop(state);
|
||||||
|
this.flush();
|
||||||
|
}
|
||||||
|
|
||||||
|
anyhow::Ok(())
|
||||||
|
}
|
||||||
|
.log_err(),
|
||||||
|
)
|
||||||
|
.detach();
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn set_authenticated_user_info(
|
||||||
|
self: &Arc<Self>,
|
||||||
|
metrics_id: Option<String>,
|
||||||
|
is_staff: bool,
|
||||||
|
) {
|
||||||
|
let is_signed_in = metrics_id.is_some();
|
||||||
|
self.state.lock().metrics_id = metrics_id.map(|s| s.into());
|
||||||
|
if is_signed_in {
|
||||||
|
self.report_event_with_user_properties(
|
||||||
|
"$identify",
|
||||||
|
Default::default(),
|
||||||
|
json!({ "$set": { "staff": is_staff } }),
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn report_event(self: &Arc<Self>, kind: &str, properties: Value) {
|
||||||
|
self.report_event_with_user_properties(kind, properties, Default::default());
|
||||||
|
}
|
||||||
|
|
||||||
|
fn report_event_with_user_properties(
|
||||||
|
self: &Arc<Self>,
|
||||||
|
kind: &str,
|
||||||
|
properties: Value,
|
||||||
|
user_properties: Value,
|
||||||
|
) {
|
||||||
|
if AMPLITUDE_API_KEY.is_none() {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
let mut state = self.state.lock();
|
||||||
|
let event = AmplitudeEvent {
|
||||||
|
event_type: kind.to_string(),
|
||||||
|
time: SystemTime::now()
|
||||||
|
.duration_since(UNIX_EPOCH)
|
||||||
|
.unwrap()
|
||||||
|
.as_millis(),
|
||||||
|
session_id: self.session_id,
|
||||||
|
event_properties: if let Value::Object(properties) = properties {
|
||||||
|
Some(properties)
|
||||||
|
} else {
|
||||||
|
None
|
||||||
|
},
|
||||||
|
user_properties: if let Value::Object(user_properties) = user_properties {
|
||||||
|
Some(user_properties)
|
||||||
|
} else {
|
||||||
|
None
|
||||||
|
},
|
||||||
|
user_id: state.metrics_id.clone(),
|
||||||
|
device_id: state.device_id.clone(),
|
||||||
|
os_name: state.os_name,
|
||||||
|
platform: "Zed",
|
||||||
|
os_version: state.os_version.clone(),
|
||||||
|
app_version: state.app_version.clone(),
|
||||||
|
event_id: post_inc(&mut state.next_event_id),
|
||||||
|
};
|
||||||
|
state.queue.push(event);
|
||||||
|
if state.device_id.is_some() {
|
||||||
|
if state.queue.len() >= MAX_QUEUE_LEN {
|
||||||
|
drop(state);
|
||||||
|
self.flush();
|
||||||
|
} else {
|
||||||
|
let this = self.clone();
|
||||||
|
let executor = self.executor.clone();
|
||||||
|
state.flush_task = Some(self.executor.spawn(async move {
|
||||||
|
executor.timer(DEBOUNCE_INTERVAL).await;
|
||||||
|
this.flush();
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn flush(self: &Arc<Self>) {
|
||||||
|
let mut state = self.state.lock();
|
||||||
|
let events = mem::take(&mut state.queue);
|
||||||
|
state.flush_task.take();
|
||||||
|
drop(state);
|
||||||
|
|
||||||
|
if let Some(api_key) = AMPLITUDE_API_KEY.as_ref() {
|
||||||
|
let this = self.clone();
|
||||||
|
self.executor
|
||||||
|
.spawn(
|
||||||
|
async move {
|
||||||
|
let mut json_bytes = Vec::new();
|
||||||
|
|
||||||
|
if let Some(file) = &mut this.state.lock().log_file {
|
||||||
|
let file = file.as_file_mut();
|
||||||
|
for event in &events {
|
||||||
|
json_bytes.clear();
|
||||||
|
serde_json::to_writer(&mut json_bytes, event)?;
|
||||||
|
file.write_all(&json_bytes)?;
|
||||||
|
file.write(b"\n")?;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
let batch = AmplitudeEventBatch { api_key, events };
|
||||||
|
json_bytes.clear();
|
||||||
|
serde_json::to_writer(&mut json_bytes, &batch)?;
|
||||||
|
let request =
|
||||||
|
Request::post(AMPLITUDE_EVENTS_URL).body(json_bytes.into())?;
|
||||||
|
this.http_client.send(request).await?;
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
.log_err(),
|
||||||
|
)
|
||||||
|
.detach();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,11 +1,13 @@
|
||||||
#[cfg(any(test, feature = "test-support"))]
|
#[cfg(any(test, feature = "test-support"))]
|
||||||
pub mod test;
|
pub mod test;
|
||||||
|
|
||||||
|
pub mod amplitude_telemetry;
|
||||||
pub mod channel;
|
pub mod channel;
|
||||||
pub mod http;
|
pub mod http;
|
||||||
pub mod telemetry;
|
pub mod telemetry;
|
||||||
pub mod user;
|
pub mod user;
|
||||||
|
|
||||||
|
use amplitude_telemetry::AmplitudeTelemetry;
|
||||||
use anyhow::{anyhow, Context, Result};
|
use anyhow::{anyhow, Context, Result};
|
||||||
use async_recursion::async_recursion;
|
use async_recursion::async_recursion;
|
||||||
use async_tungstenite::tungstenite::{
|
use async_tungstenite::tungstenite::{
|
||||||
|
@ -82,6 +84,7 @@ pub struct Client {
|
||||||
peer: Arc<Peer>,
|
peer: Arc<Peer>,
|
||||||
http: Arc<dyn HttpClient>,
|
http: Arc<dyn HttpClient>,
|
||||||
telemetry: Arc<Telemetry>,
|
telemetry: Arc<Telemetry>,
|
||||||
|
amplitude_telemetry: Arc<AmplitudeTelemetry>,
|
||||||
state: RwLock<ClientState>,
|
state: RwLock<ClientState>,
|
||||||
|
|
||||||
#[allow(clippy::type_complexity)]
|
#[allow(clippy::type_complexity)]
|
||||||
|
@ -261,6 +264,7 @@ impl Client {
|
||||||
id: 0,
|
id: 0,
|
||||||
peer: Peer::new(),
|
peer: Peer::new(),
|
||||||
telemetry: Telemetry::new(http.clone(), cx),
|
telemetry: Telemetry::new(http.clone(), cx),
|
||||||
|
amplitude_telemetry: AmplitudeTelemetry::new(http.clone(), cx),
|
||||||
http,
|
http,
|
||||||
state: Default::default(),
|
state: Default::default(),
|
||||||
|
|
||||||
|
@ -373,6 +377,8 @@ impl Client {
|
||||||
}
|
}
|
||||||
Status::SignedOut | Status::UpgradeRequired => {
|
Status::SignedOut | Status::UpgradeRequired => {
|
||||||
self.telemetry.set_authenticated_user_info(None, false);
|
self.telemetry.set_authenticated_user_info(None, false);
|
||||||
|
self.amplitude_telemetry
|
||||||
|
.set_authenticated_user_info(None, false);
|
||||||
state._reconnect_task.take();
|
state._reconnect_task.take();
|
||||||
}
|
}
|
||||||
_ => {}
|
_ => {}
|
||||||
|
@ -1013,6 +1019,7 @@ impl Client {
|
||||||
let platform = cx.platform();
|
let platform = cx.platform();
|
||||||
let executor = cx.background();
|
let executor = cx.background();
|
||||||
let telemetry = self.telemetry.clone();
|
let telemetry = self.telemetry.clone();
|
||||||
|
let amplitude_telemetry = self.amplitude_telemetry.clone();
|
||||||
let http = self.http.clone();
|
let http = self.http.clone();
|
||||||
executor.clone().spawn(async move {
|
executor.clone().spawn(async move {
|
||||||
// Generate a pair of asymmetric encryption keys. The public key will be used by the
|
// Generate a pair of asymmetric encryption keys. The public key will be used by the
|
||||||
|
@ -1097,6 +1104,7 @@ impl Client {
|
||||||
platform.activate(true);
|
platform.activate(true);
|
||||||
|
|
||||||
telemetry.report_event("authenticate with browser", Default::default());
|
telemetry.report_event("authenticate with browser", Default::default());
|
||||||
|
amplitude_telemetry.report_event("authenticate with browser", Default::default());
|
||||||
|
|
||||||
Ok(Credentials {
|
Ok(Credentials {
|
||||||
user_id: user_id.parse()?,
|
user_id: user_id.parse()?,
|
||||||
|
@ -1208,14 +1216,17 @@ impl Client {
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn start_telemetry(&self, db: Db) {
|
pub fn start_telemetry(&self, db: Db) {
|
||||||
self.telemetry.start(db);
|
self.telemetry.start(db.clone());
|
||||||
|
self.amplitude_telemetry.start(db);
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn report_event(&self, kind: &str, properties: Value) {
|
pub fn report_event(&self, kind: &str, properties: Value) {
|
||||||
self.telemetry.report_event(kind, properties)
|
self.telemetry.report_event(kind, properties.clone());
|
||||||
|
self.amplitude_telemetry.report_event(kind, properties);
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn telemetry_log_file_path(&self) -> Option<PathBuf> {
|
pub fn telemetry_log_file_path(&self) -> Option<PathBuf> {
|
||||||
|
self.amplitude_telemetry.log_file_path();
|
||||||
self.telemetry.log_file_path()
|
self.telemetry.log_file_path()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -143,13 +143,24 @@ impl UserStore {
|
||||||
let (user, info) = futures::join!(fetch_user, fetch_metrics_id);
|
let (user, info) = futures::join!(fetch_user, fetch_metrics_id);
|
||||||
if let Some(info) = info {
|
if let Some(info) = info {
|
||||||
client.telemetry.set_authenticated_user_info(
|
client.telemetry.set_authenticated_user_info(
|
||||||
|
Some(info.metrics_id.clone()),
|
||||||
|
info.staff,
|
||||||
|
);
|
||||||
|
client.amplitude_telemetry.set_authenticated_user_info(
|
||||||
Some(info.metrics_id),
|
Some(info.metrics_id),
|
||||||
info.staff,
|
info.staff,
|
||||||
);
|
);
|
||||||
} else {
|
} else {
|
||||||
client.telemetry.set_authenticated_user_info(None, false);
|
client.telemetry.set_authenticated_user_info(None, false);
|
||||||
|
client
|
||||||
|
.amplitude_telemetry
|
||||||
|
.set_authenticated_user_info(None, false);
|
||||||
}
|
}
|
||||||
|
|
||||||
client.telemetry.report_event("sign in", Default::default());
|
client.telemetry.report_event("sign in", Default::default());
|
||||||
|
client
|
||||||
|
.amplitude_telemetry
|
||||||
|
.report_event("sign in", Default::default());
|
||||||
current_user_tx.send(user).await.ok();
|
current_user_tx.send(user).await.ok();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -6,6 +6,9 @@ fn main() {
|
||||||
if let Ok(api_key) = std::env::var("ZED_MIXPANEL_TOKEN") {
|
if let Ok(api_key) = std::env::var("ZED_MIXPANEL_TOKEN") {
|
||||||
println!("cargo:rustc-env=ZED_MIXPANEL_TOKEN={api_key}");
|
println!("cargo:rustc-env=ZED_MIXPANEL_TOKEN={api_key}");
|
||||||
}
|
}
|
||||||
|
if let Ok(api_key) = std::env::var("ZED_AMPLITUDE_API_KEY") {
|
||||||
|
println!("cargo:rustc-env=ZED_AMPLITUDE_API_KEY={api_key}");
|
||||||
|
}
|
||||||
|
|
||||||
let output = Command::new("npm")
|
let output = Command::new("npm")
|
||||||
.current_dir("../../styles")
|
.current_dir("../../styles")
|
||||||
|
|
30
script/amplitude_release/main.py
Normal file
30
script/amplitude_release/main.py
Normal file
|
@ -0,0 +1,30 @@
|
||||||
|
import datetime
|
||||||
|
import sys
|
||||||
|
|
||||||
|
from amplitude_python_sdk.v2.clients.releases_client import ReleasesAPIClient
|
||||||
|
from amplitude_python_sdk.v2.models.releases import Release
|
||||||
|
|
||||||
|
|
||||||
|
def main():
|
||||||
|
version = sys.argv[1]
|
||||||
|
version = version.removeprefix("v")
|
||||||
|
|
||||||
|
api_key = sys.argv[2]
|
||||||
|
secret_key = sys.argv[3]
|
||||||
|
|
||||||
|
current_datetime = datetime.datetime.now(datetime.timezone.utc)
|
||||||
|
current_datetime = current_datetime.strftime("%Y-%m-%d %H:%M:%S")
|
||||||
|
|
||||||
|
release = Release(
|
||||||
|
title=version,
|
||||||
|
version=version,
|
||||||
|
release_start=current_datetime,
|
||||||
|
created_by="GitHub Release Workflow",
|
||||||
|
chart_visibility=True
|
||||||
|
)
|
||||||
|
|
||||||
|
ReleasesAPIClient(api_key=api_key, secret_key=secret_key).create(release)
|
||||||
|
|
||||||
|
|
||||||
|
if __name__ == "__main__":
|
||||||
|
main()
|
1
script/amplitude_release/requirements.txt
Normal file
1
script/amplitude_release/requirements.txt
Normal file
|
@ -0,0 +1 @@
|
||||||
|
amplitude-python-sdk==0.2.0
|
Loading…
Add table
Add a link
Reference in a new issue