Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Extract EngagementManager and cover it with unit tests #82

Merged
merged 26 commits into from
Oct 26, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
26 commits
Select commit Hold shift + click to select a range
0327b22
refactor: extract EngagementManager
wzieba Oct 20, 2023
a2aff95
feat: make `enqueueEvent` package-visible
wzieba Oct 20, 2023
7a2c289
refactor: use getters instead of field values
wzieba Oct 20, 2023
becb67f
tests: record first event after given interval
wzieba Oct 20, 2023
9d9e6b3
refactor: extract `updateLatestInterval`
wzieba Oct 20, 2023
7767307
refactor: update tracker and manager to use interval calculator
wzieba Oct 20, 2023
cf6366f
tests: record event after each interval
wzieba Oct 20, 2023
b0dd745
tests: introduce `typealias Event`
wzieba Oct 24, 2023
f66493c
tests: improve "start manager" test case
wzieba Oct 24, 2023
97b35ad
style: suppress `UNCHECKED_CAST` on `EngagementManagerTest`
wzieba Oct 24, 2023
7fbc013
style: extract event assertions
wzieba Oct 24, 2023
3f6ead9
tests: narrow down timestamp condition in single event record case
wzieba Oct 24, 2023
534f5b2
tests: simplify single event test case
wzieba Oct 24, 2023
51a4674
tests: add test case for validity of subsequent events
wzieba Oct 24, 2023
1d2b94c
style: move tearDown below setUp
wzieba Oct 23, 2023
cb4d8a7
refactor: move JSON pixel payload to a file
wzieba Oct 23, 2023
e4dd447
tests: extract `data` to variable
wzieba Oct 25, 2023
b9f8797
style: move helper method below test cases
wzieba Oct 25, 2023
bf459f5
Merge branch 'main' into engagement_manager_tests
wzieba Oct 25, 2023
d752495
style: move assertions to single-line
wzieba Oct 26, 2023
9855f16
fix: remove unwanted log from interval calculator
wzieba Oct 26, 2023
e67e603
tests: decrease the timestamp threshold on single-event case
wzieba Oct 26, 2023
e6a556d
style: move unchecked cast suppress closer to warning
wzieba Oct 26, 2023
227f9a5
style: move private methods closer in test
wzieba Oct 26, 2023
654e374
style: static code readability improvements
wzieba Oct 26, 2023
98dfeaa
style: remove redundant casting of `baseEventData`
wzieba Oct 26, 2023
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
@@ -0,0 +1,120 @@
package com.parsely.parselyandroid;

import java.util.Calendar;
import java.util.HashMap;
import java.util.Map;
import java.util.TimeZone;
import java.util.Timer;
import java.util.TimerTask;

/**
* Engagement manager for article and video engagement.
* <p>
* Implemented to handle its own queuing of future executions to accomplish
* two things:
* <p>
* 1. Flushing any engaged time before canceling.
* 2. Progressive backoff for long engagements to save data.
*/
class EngagementManager {

private final ParselyTracker parselyTracker;
public Map<String, Object> baseEvent;
private boolean started;
private final Timer parentTimer;
private TimerTask waitingTimerTask;
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggestion (💡): I suggest making this @Nullable and then checking that during stop():

    public void stop() {
        if (waitingTimerTask != null) {
            waitingTimerTask.cancel();
        }
        started = false;
    }

PS: Actually, I would even recommend for such refactor/test PRs to add any missing nullability annotation wherever possible going forward. 🤷

private long latestDelayMillis, totalTime;
private Calendar startTime;
private final UpdateEngagementIntervalCalculator intervalCalculator;

public EngagementManager(
ParselyTracker parselyTracker,
Timer parentTimer,
long intervalMillis,
Map<String, Object> baseEvent,
UpdateEngagementIntervalCalculator intervalCalculator
) {
this.parselyTracker = parselyTracker;
this.baseEvent = baseEvent;
this.parentTimer = parentTimer;
this.intervalCalculator = intervalCalculator;
latestDelayMillis = intervalMillis;
totalTime = 0;
startTime = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
}

public boolean isRunning() {
return started;
}

public void start() {
scheduleNextExecution(latestDelayMillis);
started = true;
startTime = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
}

public void stop() {
waitingTimerTask.cancel();
started = false;
}

public boolean isSameVideo(String url, String urlRef, ParselyVideoMetadata metadata) {
Copy link
Collaborator

@ParaskP7 ParaskP7 Oct 26, 2023

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggestion (💡): Consider resolving/suppressing all the warnings related to this method:

  1. Suppress: Unchecked cast: 'java.lang.Object' to 'java.util.Map<java.lang.String,java.lang.Object>'
  2. Resolve: Method invocation 'equals' may produce 'NullPointerException'
  3. Resolve: Unboxing of 'baseMetadata.get("duration")' may produce 'NullPointerException'

FYI: For no.2 there is an easy fix, just flit the equals(...), for example:

BEFORE: baseEvent.get("url").equals(url)
AFTER: url.equals(baseEvent.get("url")

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I'd leave this to a different PR - I wanted this PR to be focused on extracting EngagementManager and adding minimal set of changes to make it testable.

Map<String, Object> baseMetadata = (Map<String, Object>) baseEvent.get("metadata");
return (baseEvent.get("url").equals(url) &&
baseEvent.get("urlref").equals(urlRef) &&
baseMetadata.get("link").equals(metadata.link) &&
(int) (baseMetadata.get("duration")) == metadata.durationSeconds);
}

private void scheduleNextExecution(long delay) {
TimerTask task = new TimerTask() {
public void run() {
doEnqueue(scheduledExecutionTime());
latestDelayMillis = intervalCalculator.updateLatestInterval(startTime);
scheduleNextExecution(latestDelayMillis);
}

public boolean cancel() {
boolean output = super.cancel();
// Only enqueue when we actually canceled something. If output is false then
// this has already been canceled.
if (output) {
doEnqueue(scheduledExecutionTime());
}
return output;
}
};
latestDelayMillis = delay;
parentTimer.schedule(task, delay);
waitingTimerTask = task;
}

private void doEnqueue(long scheduledExecutionTime) {
// Create a copy of the base event to enqueue
Map<String, Object> event = new HashMap<>(baseEvent);
ParselyTracker.PLog(String.format("Enqueuing %s event.", event.get("action")));

// Update `ts` for the event since it's happening right now.
Calendar now = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
@SuppressWarnings("unchecked")
Map<String, Object> baseEventData = (Map<String, Object>) event.get("data");
assert baseEventData != null;
Map<String, Object> data = new HashMap<>(baseEventData);
data.put("ts", now.getTimeInMillis());
event.put("data", data);

// Adjust inc by execution time in case we're late or early.
long executionDiff = (System.currentTimeMillis() - scheduledExecutionTime);
long inc = (latestDelayMillis + executionDiff);
totalTime += inc;
event.put("inc", inc / 1000);
event.put("tt", totalTime);

parselyTracker.enqueueEvent(event);
}


public double getIntervalMillis() {
return latestDelayMillis;
}
}
127 changes: 6 additions & 121 deletions parsely/src/main/java/com/parsely/parselyandroid/ParselyTracker.java
Original file line number Diff line number Diff line change
Expand Up @@ -38,12 +38,10 @@
import java.io.ObjectOutputStream;
import java.io.StringWriter;
import java.util.ArrayList;
import java.util.Calendar;
import java.util.Formatter;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.TimeZone;
import java.util.Timer;
import java.util.TimerTask;
import java.util.UUID;
Expand Down Expand Up @@ -74,6 +72,7 @@ public class ParselyTracker {
private String lastPageviewUuid = null;
@NonNull
private final EventsBuilder eventsBuilder;
@NonNull final UpdateEngagementIntervalCalculator intervalCalculator = new UpdateEngagementIntervalCalculator();

/**
* Create a new ParselyTracker instance.
Expand Down Expand Up @@ -176,7 +175,7 @@ public double getVideoEngagementInterval() {
* @return Whether the engagement tracker is running.
*/
public boolean engagementIsActive() {
return engagementManager != null && engagementManager.started;
return engagementManager != null && engagementManager.isRunning();
}

/**
Expand All @@ -185,7 +184,7 @@ public boolean engagementIsActive() {
* @return Whether video tracking is active.
*/
public boolean videoIsActive() {
return videoEngagementManager != null && videoEngagementManager.started;
return videoEngagementManager != null && videoEngagementManager.isRunning();
}

/**
Expand Down Expand Up @@ -289,7 +288,7 @@ public void startEngagement(

// Start a new EngagementTask
Map<String, Object> event = eventsBuilder.buildEvent(url, urlRef, "heartbeat", null, extraData, lastPageviewUuid);
engagementManager = new EngagementManager(timer, DEFAULT_ENGAGEMENT_INTERVAL_MILLIS, event);
engagementManager = new EngagementManager(this, timer, DEFAULT_ENGAGEMENT_INTERVAL_MILLIS, event, intervalCalculator);
engagementManager.start();
}

Expand Down Expand Up @@ -365,7 +364,7 @@ public void trackPlay(
// Start a new engagement manager for the video.
@NonNull final Map<String, Object> hbEvent = eventsBuilder.buildEvent(url, urlRef, "vheartbeat", videoMetadata, extraData, uuid);
// TODO: Can we remove some metadata fields from this request?
videoEngagementManager = new EngagementManager(timer, DEFAULT_ENGAGEMENT_INTERVAL_MILLIS, hbEvent);
videoEngagementManager = new EngagementManager(this, timer, DEFAULT_ENGAGEMENT_INTERVAL_MILLIS, hbEvent, intervalCalculator);
videoEngagementManager.start();
}

Expand Down Expand Up @@ -416,7 +415,7 @@ public void resetVideo() {
*
* @param event The event Map to enqueue.
*/
private void enqueueEvent(Map<String, Object> event) {
void enqueueEvent(Map<String, Object> event) {
// Push it onto the queue
eventQueue.add(event);
new QueueManager().execute();
Expand Down Expand Up @@ -722,118 +721,4 @@ private void flushEvents() {
new FlushQueue().execute();
}

/**
* Engagement manager for article and video engagement.
* <p>
* Implemented to handle its own queuing of future executions to accomplish
* two things:
* <p>
* 1. Flushing any engaged time before canceling.
* 2. Progressive backoff for long engagements to save data.
*/
private class EngagementManager {

public Map<String, Object> baseEvent;
private boolean started;
private final Timer parentTimer;
private TimerTask waitingTimerTask;
private long latestDelayMillis, totalTime;
private Calendar startTime;

private static final long MAX_TIME_BETWEEN_HEARTBEATS = 60 * 60;
private static final long OFFSET_MATCHING_BASE_INTERVAL = 35;
private static final double BACKOFF_PROPORTION = 0.3;


public EngagementManager(Timer parentTimer, long intervalMillis, Map<String, Object> baseEvent) {
this.baseEvent = baseEvent;
this.parentTimer = parentTimer;
latestDelayMillis = intervalMillis;
totalTime = 0;
startTime = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
}

public boolean isRunning() {
return started;
}

public void start() {
scheduleNextExecution(latestDelayMillis);
started = true;
startTime = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
}

public void stop() {
waitingTimerTask.cancel();
started = false;
}

public boolean isSameVideo(String url, String urlRef, ParselyVideoMetadata metadata) {
Map<String, Object> baseMetadata = (Map<String, Object>) baseEvent.get("metadata");
return (baseEvent.get("url").equals(url) &&
baseEvent.get("urlref").equals(urlRef) &&
baseMetadata.get("link").equals(metadata.link) &&
(int) (baseMetadata.get("duration")) == metadata.durationSeconds);
}

private void scheduleNextExecution(long delay) {
TimerTask task = new TimerTask() {
public void run() {
doEnqueue(scheduledExecutionTime());
updateLatestInterval();
scheduleNextExecution(latestDelayMillis);
}

public boolean cancel() {
boolean output = super.cancel();
// Only enqueue when we actually canceled something. If output is false then
// this has already been canceled.
if (output) {
doEnqueue(scheduledExecutionTime());
}
return output;
}
};
latestDelayMillis = delay;
parentTimer.schedule(task, delay);
waitingTimerTask = task;
}

private void doEnqueue(long scheduledExecutionTime) {
// Create a copy of the base event to enqueue
Map<String, Object> event = new HashMap<>(baseEvent);
PLog(String.format("Enqueuing %s event.", event.get("action")));

// Update `ts` for the event since it's happening right now.
Calendar now = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
@SuppressWarnings("unchecked")
Map<String, Object> baseEventData = (Map<String, Object>) event.get("data");
assert baseEventData != null;
Map<String, Object> data = new HashMap<>((Map<String, Object>) baseEventData);
data.put("ts", now.getTimeInMillis());
event.put("data", data);

// Adjust inc by execution time in case we're late or early.
long executionDiff = (System.currentTimeMillis() - scheduledExecutionTime);
long inc = (latestDelayMillis + executionDiff);
totalTime += inc;
event.put("inc", inc / 1000);
event.put("tt", totalTime);

enqueueEvent(event);
}

private void updateLatestInterval() {
Calendar now = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
long totalTrackedTime = (now.getTime().getTime() - startTime.getTime().getTime()) / 1000;
double totalWithOffset = totalTrackedTime + OFFSET_MATCHING_BASE_INTERVAL;
double newInterval = totalWithOffset * BACKOFF_PROPORTION;
long clampedNewInterval = (long)Math.min(MAX_TIME_BETWEEN_HEARTBEATS, newInterval);
latestDelayMillis = clampedNewInterval * 1000;
}

public double getIntervalMillis() {
return latestDelayMillis;
}
}
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,22 @@
package com.parsely.parselyandroid;

import androidx.annotation.NonNull;

import java.util.Calendar;
import java.util.TimeZone;

class UpdateEngagementIntervalCalculator {
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggestion (💡): Ah, I forgot to mention this in my review, what about making this a Utils class instead of instantiating it as an object. Maybe even a Kotlin utils class, wdyt? 🤔

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

In next iterations, I'll inject some Clock to this class to fake the current time. Otherwise, test for this class will be time-sensitive. So I'll have to leave this as a class, not a static one.

Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Nice to know, thanks for the heads-up on that. 💯


private static final long MAX_TIME_BETWEEN_HEARTBEATS = 60 * 60;
private static final long OFFSET_MATCHING_BASE_INTERVAL = 35;
private static final double BACKOFF_PROPORTION = 0.3;

long updateLatestInterval(@NonNull final Calendar startTime) {
Copy link
Collaborator Author

@wzieba wzieba Oct 25, 2023

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unit tests for this class are planned to be added in a separate PR.

Calendar now = Calendar.getInstance(TimeZone.getTimeZone("UTC"));
long totalTrackedTime = (now.getTime().getTime() - startTime.getTime().getTime()) / 1000;
double totalWithOffset = totalTrackedTime + OFFSET_MATCHING_BASE_INTERVAL;
double newInterval = totalWithOffset * BACKOFF_PROPORTION;
long clampedNewInterval = (long) Math.min(MAX_TIME_BETWEEN_HEARTBEATS, newInterval);
return clampedNewInterval * 1000;
}
}
Loading