code stringlengths 73 34.1k | label stringclasses 1 value |
|---|---|
@Override
public Object put(List<Map.Entry> batch) throws InterruptedException {
if (initializeClusterSource()) {
return clusterSource.put(batch);
}
return null;
} | java |
public <T> T eval(ELVars vars, String el, Class<T> returnType) throws ELEvalException {
Utils.checkNotNull(vars, "vars");
Utils.checkNotNull(el, "expression");
Utils.checkNotNull(returnType, "returnType");
VARIABLES_IN_SCOPE_TL.set(vars);
try {
return evaluate(vars, el, returnType);
} finally {
VARIABLES_IN_SCOPE_TL.set(null);
}
} | java |
public String getLinkCopyText(JSONObject jsonObject){
if(jsonObject == null) return "";
try {
JSONObject copyObject = jsonObject.has("copyText") ? jsonObject.getJSONObject("copyText") : null;
if(copyObject != null){
return copyObject.has("text") ? copyObject.getString("text") : "";
}else{
return "";
}
} catch (JSONException e) {
Logger.v("Unable to get Link Text with JSON - "+e.getLocalizedMessage());
return "";
}
} | java |
public String getLinkUrl(JSONObject jsonObject){
if(jsonObject == null) return null;
try {
JSONObject urlObject = jsonObject.has("url") ? jsonObject.getJSONObject("url") : null;
if(urlObject == null) return null;
JSONObject androidObject = urlObject.has("android") ? urlObject.getJSONObject("android") : null;
if(androidObject != null){
return androidObject.has("text") ? androidObject.getString("text") : "";
}else{
return "";
}
} catch (JSONException e) {
Logger.v("Unable to get Link URL with JSON - "+e.getLocalizedMessage());
return null;
}
} | java |
public String getLinkColor(JSONObject jsonObject){
if(jsonObject == null) return null;
try {
return jsonObject.has("color") ? jsonObject.getString("color") : "";
} catch (JSONException e) {
Logger.v("Unable to get Link Text Color with JSON - "+e.getLocalizedMessage());
return null;
}
} | java |
static void onActivityCreated(Activity activity) {
// make sure we have at least the default instance created here.
if (instances == null) {
CleverTapAPI.createInstanceIfAvailable(activity, null);
}
if (instances == null) {
Logger.v("Instances is null in onActivityCreated!");
return;
}
boolean alreadyProcessedByCleverTap = false;
Bundle notification = null;
Uri deepLink = null;
String _accountId = null;
// check for launch deep link
try {
Intent intent = activity.getIntent();
deepLink = intent.getData();
if (deepLink != null) {
Bundle queryArgs = UriHelper.getAllKeyValuePairs(deepLink.toString(), true);
_accountId = queryArgs.getString(Constants.WZRK_ACCT_ID_KEY);
}
} catch (Throwable t) {
// Ignore
}
// check for launch via notification click
try {
notification = activity.getIntent().getExtras();
if (notification != null && !notification.isEmpty()) {
try {
alreadyProcessedByCleverTap = (notification.containsKey(Constants.WZRK_FROM_KEY) && Constants.WZRK_FROM.equals(notification.get(Constants.WZRK_FROM_KEY)));
if (alreadyProcessedByCleverTap){
Logger.v("ActivityLifecycleCallback: Notification Clicked already processed for "+ notification.toString() +", dropping duplicate.");
}
if (notification.containsKey(Constants.WZRK_ACCT_ID_KEY)) {
_accountId = (String) notification.get(Constants.WZRK_ACCT_ID_KEY);
}
} catch (Throwable t) {
// no-op
}
}
} catch (Throwable t) {
// Ignore
}
if (alreadyProcessedByCleverTap && deepLink == null) return;
for (String accountId: CleverTapAPI.instances.keySet()) {
CleverTapAPI instance = CleverTapAPI.instances.get(accountId);
boolean shouldProcess = false;
if (instance != null) {
shouldProcess = (_accountId == null && instance.config.isDefaultInstance()) || instance.getAccountId().equals(_accountId);
}
if (shouldProcess) {
if (notification != null && !notification.isEmpty() && notification.containsKey(Constants.NOTIFICATION_TAG)) {
instance.pushNotificationClickedEvent(notification);
}
if (deepLink != null) {
try {
instance.pushDeepLink(deepLink);
} catch (Throwable t) {
// no-op
}
}
break;
}
}
} | java |
static void handleNotificationClicked(Context context,Bundle notification) {
if (notification == null) return;
String _accountId = null;
try {
_accountId = notification.getString(Constants.WZRK_ACCT_ID_KEY);
} catch (Throwable t) {
// no-op
}
if (instances == null) {
CleverTapAPI instance = createInstanceIfAvailable(context, _accountId);
if (instance != null) {
instance.pushNotificationClickedEvent(notification);
}
return;
}
for (String accountId: instances.keySet()) {
CleverTapAPI instance = CleverTapAPI.instances.get(accountId);
boolean shouldProcess = false;
if (instance != null) {
shouldProcess = (_accountId == null && instance.config.isDefaultInstance()) || instance.getAccountId().equals(_accountId);
}
if (shouldProcess) {
instance.pushNotificationClickedEvent(notification);
break;
}
}
} | java |
public static @Nullable CleverTapAPI getInstance(Context context) throws CleverTapMetaDataNotFoundException, CleverTapPermissionsNotSatisfied {
// For Google Play Store/Android Studio tracking
sdkVersion = BuildConfig.SDK_VERSION_STRING;
return getDefaultInstance(context);
} | java |
@SuppressWarnings("WeakerAccess")
public static @Nullable CleverTapAPI getDefaultInstance(Context context) {
// For Google Play Store/Android Studio tracking
sdkVersion = BuildConfig.SDK_VERSION_STRING;
if (defaultConfig == null) {
ManifestInfo manifest = ManifestInfo.getInstance(context);
String accountId = manifest.getAccountId();
String accountToken = manifest.getAcountToken();
String accountRegion = manifest.getAccountRegion();
if(accountId == null || accountToken == null) {
Logger.i("Account ID or Account token is missing from AndroidManifest.xml, unable to create default instance");
return null;
}
if (accountRegion == null) {
Logger.i("Account Region not specified in the AndroidManifest - using default region");
}
defaultConfig = CleverTapInstanceConfig.createDefaultInstance(context, accountId, accountToken, accountRegion);
defaultConfig.setDebugLevel(getDebugLevel());
}
return instanceWithConfig(context, defaultConfig);
} | java |
private void destroySession() {
currentSessionId = 0;
setAppLaunchPushed(false);
getConfigLogger().verbose(getAccountId(),"Session destroyed; Session ID is now 0");
clearSource();
clearMedium();
clearCampaign();
clearWzrkParams();
} | java |
private String FCMGetFreshToken(final String senderID) {
String token = null;
try {
if(senderID != null){
getConfigLogger().verbose(getAccountId(), "FcmManager: Requesting a FCM token with Sender Id - "+senderID);
token = FirebaseInstanceId.getInstance().getToken(senderID, FirebaseMessaging.INSTANCE_ID_SCOPE);
}else {
getConfigLogger().verbose(getAccountId(), "FcmManager: Requesting a FCM token");
token = FirebaseInstanceId.getInstance().getToken();
}
getConfigLogger().info(getAccountId(),"FCM token: "+token);
} catch (Throwable t) {
getConfigLogger().verbose(getAccountId(), "FcmManager: Error requesting FCM token", t);
}
return token;
} | java |
private String GCMGetFreshToken(final String senderID) {
getConfigLogger().verbose(getAccountId(), "GcmManager: Requesting a GCM token for Sender ID - " + senderID);
String token = null;
try {
token = InstanceID.getInstance(context)
.getToken(senderID, GoogleCloudMessaging.INSTANCE_ID_SCOPE, null);
getConfigLogger().info(getAccountId(), "GCM token : " + token);
} catch (Throwable t) {
getConfigLogger().verbose(getAccountId(), "GcmManager: Error requesting GCM token", t);
}
return token;
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void setOffline(boolean value){
offline = value;
if (offline) {
getConfigLogger().debug(getAccountId(), "CleverTap Instance has been set to offline, won't send events queue");
} else {
getConfigLogger().debug(getAccountId(), "CleverTap Instance has been set to online, sending events queue");
flush();
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void enableDeviceNetworkInfoReporting(boolean value){
enableNetworkInfoReporting = value;
StorageHelper.putBoolean(context,storageKeyWithSuffix(Constants.NETWORK_INFO),enableNetworkInfoReporting);
getConfigLogger().verbose(getAccountId(), "Device Network Information reporting set to " + enableNetworkInfoReporting);
} | java |
@SuppressWarnings("unused")
public String getDevicePushToken(final PushType type) {
switch (type) {
case GCM:
return getCachedGCMToken();
case FCM:
return getCachedFCMToken();
default:
return null;
}
} | java |
private void attachMeta(final JSONObject o, final Context context) {
// Memory consumption
try {
o.put("mc", Utils.getMemoryConsumption());
} catch (Throwable t) {
// Ignore
}
// Attach the network type
try {
o.put("nt", Utils.getCurrentNetworkType(context));
} catch (Throwable t) {
// Ignore
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void recordScreen(String screenName){
if(screenName == null || (!currentScreenName.isEmpty() && currentScreenName.equals(screenName))) return;
getConfigLogger().debug(getAccountId(), "Screen changed to " + screenName);
currentScreenName = screenName;
recordPageEventWithExtras(null);
} | java |
private void clearQueues(final Context context) {
synchronized (eventLock) {
DBAdapter adapter = loadDBAdapter(context);
DBAdapter.Table tableName = DBAdapter.Table.EVENTS;
adapter.removeEvents(tableName);
tableName = DBAdapter.Table.PROFILE_EVENTS;
adapter.removeEvents(tableName);
clearUserContext(context);
}
} | java |
private QueueCursor updateCursorForDBObject(JSONObject dbObject, QueueCursor cursor) {
if (dbObject == null) return cursor;
Iterator<String> keys = dbObject.keys();
if (keys.hasNext()) {
String key = keys.next();
cursor.setLastId(key);
try {
cursor.setData(dbObject.getJSONArray(key));
} catch (JSONException e) {
cursor.setLastId(null);
cursor.setData(null);
}
}
return cursor;
} | java |
private JSONObject getARP(final Context context) {
try {
final String nameSpaceKey = getNamespaceARPKey();
if (nameSpaceKey == null) return null;
final SharedPreferences prefs = StorageHelper.getPreferences(context, nameSpaceKey);
final Map<String, ?> all = prefs.getAll();
final Iterator<? extends Map.Entry<String, ?>> iter = all.entrySet().iterator();
while (iter.hasNext()) {
final Map.Entry<String, ?> kv = iter.next();
final Object o = kv.getValue();
if (o instanceof Number && ((Number) o).intValue() == -1) {
iter.remove();
}
}
final JSONObject ret = new JSONObject(all);
getConfigLogger().verbose(getAccountId(), "Fetched ARP for namespace key: " + nameSpaceKey + " values: " + all.toString());
return ret;
} catch (Throwable t) {
getConfigLogger().verbose(getAccountId(), "Failed to construct ARP object", t);
return null;
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public int getTotalVisits() {
EventDetail ed = getLocalDataStore().getEventDetail(Constants.APP_LAUNCHED_EVENT);
if (ed != null) return ed.getCount();
return 0;
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public int getTimeElapsed() {
int currentSession = getCurrentSession();
if (currentSession == 0) return -1;
int now = (int) (System.currentTimeMillis() / 1000);
return now - currentSession;
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public UTMDetail getUTMDetails() {
UTMDetail ud = new UTMDetail();
ud.setSource(source);
ud.setMedium(medium);
ud.setCampaign(campaign);
return ud;
} | java |
private void _handleMultiValues(ArrayList<String> values, String key, String command) {
if (key == null) return;
if (values == null || values.isEmpty()) {
_generateEmptyMultiValueError(key);
return;
}
ValidationResult vr;
// validate the key
vr = validator.cleanMultiValuePropertyKey(key);
// Check for an error
if (vr.getErrorCode() != 0) {
pushValidationResult(vr);
}
// reset the key
Object _key = vr.getObject();
String cleanKey = (_key != null) ? vr.getObject().toString() : null;
// if key is empty generate an error and return
if (cleanKey == null || cleanKey.isEmpty()) {
_generateInvalidMultiValueKeyError(key);
return;
}
key = cleanKey;
try {
JSONArray currentValues = _constructExistingMultiValue(key, command);
JSONArray newValues = _cleanMultiValues(values, key);
_validateAndPushMultiValue(currentValues, newValues, values, key, command);
} catch (Throwable t) {
getConfigLogger().verbose(getAccountId(), "Error handling multi value operation for key " + key, t);
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void pushEvent(String eventName) {
if (eventName == null || eventName.trim().equals(""))
return;
pushEvent(eventName, null);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void pushNotificationViewedEvent(Bundle extras){
if (extras == null || extras.isEmpty() || extras.get(Constants.NOTIFICATION_TAG) == null) {
getConfigLogger().debug(getAccountId(), "Push notification: " + (extras == null ? "NULL" : extras.toString()) + " not from CleverTap - will not process Notification Viewed event.");
return;
}
if (!extras.containsKey(Constants.NOTIFICATION_ID_TAG) || (extras.getString(Constants.NOTIFICATION_ID_TAG) == null)) {
getConfigLogger().debug(getAccountId(), "Push notification ID Tag is null, not processing Notification Viewed event for: " + extras.toString());
return;
}
// Check for dupe notification views; if same notficationdId within specified time interval (2 secs) don't process
boolean isDuplicate = checkDuplicateNotificationIds(extras, notificationViewedIdTagMap, Constants.NOTIFICATION_VIEWED_ID_TAG_INTERVAL);
if (isDuplicate) {
getConfigLogger().debug(getAccountId(), "Already processed Notification Viewed event for " + extras.toString() + ", dropping duplicate.");
return;
}
JSONObject event = new JSONObject();
try {
JSONObject notif = getWzrkFields(extras);
event.put("evtName", Constants.NOTIFICATION_VIEWED_EVENT_NAME);
event.put("evtData", notif);
} catch (Throwable ignored) {
//no-op
}
queueEvent(context, event, Constants.RAISED_EVENT);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public int getCount(String event) {
EventDetail eventDetail = getLocalDataStore().getEventDetail(event);
if (eventDetail != null) return eventDetail.getCount();
return -1;
} | java |
private void pushDeviceToken(final String token, final boolean register, final PushType type) {
pushDeviceToken(this.context, token, register, type);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public static NotificationInfo getNotificationInfo(final Bundle extras) {
if (extras == null) return new NotificationInfo(false, false);
boolean fromCleverTap = extras.containsKey(Constants.NOTIFICATION_TAG);
boolean shouldRender = fromCleverTap && extras.containsKey("nm");
return new NotificationInfo(fromCleverTap, shouldRender);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void pushInstallReferrer(Intent intent) {
try {
final Bundle extras = intent.getExtras();
// Preliminary checks
if (extras == null || !extras.containsKey("referrer")) {
return;
}
final String url;
try {
url = URLDecoder.decode(extras.getString("referrer"), "UTF-8");
getConfigLogger().verbose(getAccountId(), "Referrer received: " + url);
} catch (Throwable e) {
// Could not decode
return;
}
if (url == null) {
return;
}
int now = (int) (System.currentTimeMillis() / 1000);
if (installReferrerMap.containsKey(url) && now - installReferrerMap.get(url) < 10) {
getConfigLogger().verbose(getAccountId(),"Skipping install referrer due to duplicate within 10 seconds");
return;
}
installReferrerMap.put(url, now);
Uri uri = Uri.parse("wzrk://track?install=true&" + url);
pushDeepLink(uri, true);
} catch (Throwable t) {
// no-op
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public synchronized void pushInstallReferrer(String source, String medium, String campaign) {
if (source == null && medium == null && campaign == null) return;
try {
// If already pushed, don't send it again
int status = StorageHelper.getInt(context, "app_install_status", 0);
if (status != 0) {
Logger.d("Install referrer has already been set. Will not override it");
return;
}
StorageHelper.putInt(context, "app_install_status", 1);
if (source != null) source = Uri.encode(source);
if (medium != null) medium = Uri.encode(medium);
if (campaign != null) campaign = Uri.encode(campaign);
String uriStr = "wzrk://track?install=true";
if (source != null) uriStr += "&utm_source=" + source;
if (medium != null) uriStr += "&utm_medium=" + medium;
if (campaign != null) uriStr += "&utm_campaign=" + campaign;
Uri uri = Uri.parse(uriStr);
pushDeepLink(uri, true);
} catch (Throwable t) {
Logger.v("Failed to push install referrer", t);
}
} | java |
@SuppressWarnings("unused")
public static void changeCredentials(String accountID, String token) {
changeCredentials(accountID, token, null);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public static void changeCredentials(String accountID, String token, String region) {
if(defaultConfig != null){
Logger.i("CleverTap SDK already initialized with accountID:"+defaultConfig.getAccountId()
+" and token:"+defaultConfig.getAccountToken()+". Cannot change credentials to "
+ accountID + " and " + token);
return;
}
ManifestInfo.changeCredentials(accountID,token,region);
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public int getInboxMessageCount(){
synchronized (inboxControllerLock) {
if (this.ctInboxController != null) {
return ctInboxController.count();
} else {
getConfigLogger().debug(getAccountId(),"Notification Inbox not initialized");
return -1;
}
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public int getInboxMessageUnreadCount(){
synchronized (inboxControllerLock) {
if (this.ctInboxController != null) {
return ctInboxController.unreadCount();
} else {
getConfigLogger().debug(getAccountId(), "Notification Inbox not initialized");
return -1;
}
}
} | java |
@SuppressWarnings({"unused", "WeakerAccess"})
public void markReadInboxMessage(final CTInboxMessage message){
postAsyncSafely("markReadInboxMessage", new Runnable() {
@Override
public void run() {
synchronized (inboxControllerLock) {
if(ctInboxController != null){
boolean read = ctInboxController.markReadForMessageWithId(message.getMessageId());
if (read) {
_notifyInboxMessagesDidUpdate();
}
} else {
getConfigLogger().debug(getAccountId(),"Notification Inbox not initialized");
}
}
}
});
} | java |
boolean advance() {
if (header.frameCount <= 0) {
return false;
}
if(framePointer == getFrameCount() - 1) {
loopIndex++;
}
if(header.loopCount != LOOP_FOREVER && loopIndex > header.loopCount) {
return false;
}
framePointer = (framePointer + 1) % header.frameCount;
return true;
} | java |
int getDelay(int n) {
int delay = -1;
if ((n >= 0) && (n < header.frameCount)) {
delay = header.frames.get(n).delay;
}
return delay;
} | java |
boolean setFrameIndex(int frame) {
if(frame < INITIAL_FRAME_POINTER || frame >= getFrameCount()) {
return false;
}
framePointer = frame;
return true;
} | java |
int read(InputStream is, int contentLength) {
if (is != null) {
try {
int capacity = (contentLength > 0) ? (contentLength + 4096) : 16384;
ByteArrayOutputStream buffer = new ByteArrayOutputStream(capacity);
int nRead;
byte[] data = new byte[16384];
while ((nRead = is.read(data, 0, data.length)) != -1) {
buffer.write(data, 0, nRead);
}
buffer.flush();
read(buffer.toByteArray());
} catch (IOException e) {
Logger.d(TAG, "Error reading data from stream", e);
}
} else {
status = STATUS_OPEN_ERROR;
}
try {
if (is != null) {
is.close();
}
} catch (IOException e) {
Logger.d(TAG, "Error closing stream", e);
}
return status;
} | java |
synchronized int read(byte[] data) {
this.header = getHeaderParser().setData(data).parseHeader();
if (data != null) {
setData(header, data);
}
return status;
} | java |
private void readChunkIfNeeded() {
if (workBufferSize > workBufferPosition) {
return;
}
if (workBuffer == null) {
workBuffer = bitmapProvider.obtainByteArray(WORK_BUFFER_SIZE);
}
workBufferPosition = 0;
workBufferSize = Math.min(rawData.remaining(), WORK_BUFFER_SIZE);
rawData.get(workBuffer, 0, workBufferSize);
} | java |
@TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH)
public static synchronized void register(android.app.Application application) {
if (application == null) {
Logger.i("Application instance is null/system API is too old");
return;
}
if (registered) {
Logger.v("Lifecycle callbacks have already been registered");
return;
}
registered = true;
application.registerActivityLifecycleCallbacks(
new android.app.Application.ActivityLifecycleCallbacks() {
@Override
public void onActivityCreated(Activity activity, Bundle bundle) {
CleverTapAPI.onActivityCreated(activity);
}
@Override
public void onActivityStarted(Activity activity) {}
@Override
public void onActivityResumed(Activity activity) {
CleverTapAPI.onActivityResumed(activity);
}
@Override
public void onActivityPaused(Activity activity) {
CleverTapAPI.onActivityPaused();
}
@Override
public void onActivityStopped(Activity activity) {}
@Override
public void onActivitySaveInstanceState(Activity activity, Bundle bundle) {}
@Override
public void onActivityDestroyed(Activity activity) {}
}
);
Logger.i("Activity Lifecycle Callback successfully registered");
} | java |
ValidationResult cleanObjectKey(String name) {
ValidationResult vr = new ValidationResult();
name = name.trim();
for (String x : objectKeyCharsNotAllowed)
name = name.replace(x, "");
if (name.length() > Constants.MAX_KEY_LENGTH) {
name = name.substring(0, Constants.MAX_KEY_LENGTH-1);
vr.setErrorDesc(name.trim() + "... exceeds the limit of "+ Constants.MAX_KEY_LENGTH + " characters. Trimmed");
vr.setErrorCode(520);
}
vr.setObject(name.trim());
return vr;
} | java |
ValidationResult cleanMultiValuePropertyKey(String name) {
ValidationResult vr = cleanObjectKey(name);
name = (String) vr.getObject();
// make sure its not a known property key (reserved in the case of multi-value)
try {
RestrictedMultiValueFields rf = RestrictedMultiValueFields.valueOf(name);
//noinspection ConstantConditions
if (rf != null) {
vr.setErrorDesc(name + "... is a restricted key for multi-value properties. Operation aborted.");
vr.setErrorCode(523);
vr.setObject(null);
}
} catch (Throwable t) {
//no-op
}
return vr;
} | java |
ValidationResult isRestrictedEventName(String name) {
ValidationResult error = new ValidationResult();
if (name == null) {
error.setErrorCode(510);
error.setErrorDesc("Event Name is null");
return error;
}
for (String x : restrictedNames)
if (name.equalsIgnoreCase(x)) {
// The event name is restricted
error.setErrorCode(513);
error.setErrorDesc(name + " is a restricted event name. Last event aborted.");
Logger.v(name + " is a restricted system event name. Last event aborted.");
return error;
}
return error;
} | java |
private ValidationResult _mergeListInternalForKey(String key, JSONArray left,
JSONArray right, boolean remove, ValidationResult vr) {
if (left == null) {
vr.setObject(null);
return vr;
}
if (right == null) {
vr.setObject(left);
return vr;
}
int maxValNum = Constants.MAX_MULTI_VALUE_ARRAY_LENGTH;
JSONArray mergedList = new JSONArray();
HashSet<String> set = new HashSet<>();
int lsize = left.length(), rsize = right.length();
BitSet dupSetForAdd = null;
if (!remove)
dupSetForAdd = new BitSet(lsize + rsize);
int lidx = 0;
int ridx = scan(right, set, dupSetForAdd, lsize);
if (!remove && set.size() < maxValNum) {
lidx = scan(left, set, dupSetForAdd, 0);
}
for (int i = lidx; i < lsize; i++) {
try {
if (remove) {
String _j = (String) left.get(i);
if (!set.contains(_j)) {
mergedList.put(_j);
}
} else if (!dupSetForAdd.get(i)) {
mergedList.put(left.get(i));
}
} catch (Throwable t) {
//no-op
}
}
if (!remove && mergedList.length() < maxValNum) {
for (int i = ridx; i < rsize; i++) {
try {
if (!dupSetForAdd.get(i + lsize)) {
mergedList.put(right.get(i));
}
} catch (Throwable t) {
//no-op
}
}
}
// check to see if the list got trimmed in the merge
if (ridx > 0 || lidx > 0) {
vr.setErrorDesc("Multi value property for key " + key + " exceeds the limit of " + maxValNum + " items. Trimmed");
vr.setErrorCode(521);
}
vr.setObject(mergedList);
return vr;
} | java |
@SuppressWarnings({"WeakerAccess"})
protected void initDeviceID() {
getDeviceCachedInfo(); // put this here to avoid running on main thread
// generate a provisional while we do the rest async
generateProvisionalGUID();
// grab and cache the googleAdID in any event if available
// if we already have a deviceID we won't user ad id as the guid
cacheGoogleAdID();
// if we already have a device ID use it and just notify
// otherwise generate one, either from ad id if available or the provisional
String deviceID = getDeviceID();
if (deviceID == null || deviceID.trim().length() <= 2) {
generateDeviceID();
}
} | java |
static void i(String message){
if (getStaticDebugLevel() >= CleverTapAPI.LogLevel.INFO.intValue()){
Log.i(Constants.CLEVERTAP_LOG_TAG,message);
}
} | java |
String calculateDisplayTimestamp(long time){
long now = System.currentTimeMillis()/1000;
long diff = now-time;
if(diff < 60){
return "Just Now";
}else if(diff > 60 && diff < 59*60){
return (diff/(60)) + " mins ago";
}else if(diff > 59*60 && diff < 23*59*60 ){
return diff/(60*60) > 1 ? diff/(60*60) + " hours ago" : diff/(60*60) + " hour ago";
}else if(diff > 24*60*60 && diff < 48*60*60){
return "Yesterday";
}else {
@SuppressLint("SimpleDateFormat")
SimpleDateFormat sdf = new SimpleDateFormat("dd MMM");
return sdf.format(new Date(time));
}
} | java |
public void setTabs(ArrayList<String>tabs) {
if (tabs == null || tabs.size() <= 0) return;
if (platformSupportsTabs) {
ArrayList<String> toAdd;
if (tabs.size() > MAX_TABS) {
toAdd = new ArrayList<>(tabs.subList(0, MAX_TABS));
} else {
toAdd = tabs;
}
this.tabs = toAdd.toArray(new String[0]);
} else {
Logger.d("Please upgrade com.android.support:design library to v28.0.0 to enable Tabs for App Inbox, dropping Tabs");
}
} | java |
@Deprecated
@SuppressWarnings("deprecation")
public void push(String eventName, HashMap<String, Object> chargeDetails,
ArrayList<HashMap<String, Object>> items)
throws InvalidEventNameException {
// This method is for only charged events
if (!eventName.equals(Constants.CHARGED_EVENT)) {
throw new InvalidEventNameException("Not a charged event");
}
CleverTapAPI cleverTapAPI = weakReference.get();
if(cleverTapAPI == null){
Logger.d("CleverTap Instance is null.");
} else {
cleverTapAPI.pushChargedEvent(chargeDetails, items);
}
} | java |
public ArrayList<String> getCarouselImages(){
ArrayList<String> carouselImages = new ArrayList<>();
for(CTInboxMessageContent ctInboxMessageContent: getInboxMessageContents()){
carouselImages.add(ctInboxMessageContent.getMedia());
}
return carouselImages;
} | java |
synchronized int storeObject(JSONObject obj, Table table) {
if (!this.belowMemThreshold()) {
Logger.v("There is not enough space left on the device to store data, data discarded");
return DB_OUT_OF_MEMORY_ERROR;
}
final String tableName = table.getName();
Cursor cursor = null;
int count = DB_UPDATE_ERROR;
//noinspection TryFinallyCanBeTryWithResources
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
final ContentValues cv = new ContentValues();
cv.put(KEY_DATA, obj.toString());
cv.put(KEY_CREATED_AT, System.currentTimeMillis());
db.insert(tableName, null, cv);
cursor = db.rawQuery("SELECT COUNT(*) FROM " + tableName, null);
cursor.moveToFirst();
count = cursor.getInt(0);
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error adding data to table " + tableName + " Recreating DB");
if (cursor != null) {
cursor.close();
cursor = null;
}
dbHelper.deleteDatabase();
} finally {
if (cursor != null) {
cursor.close();
}
dbHelper.close();
}
return count;
} | java |
synchronized long storeUserProfile(String id, JSONObject obj) {
if (id == null) return DB_UPDATE_ERROR;
if (!this.belowMemThreshold()) {
getConfigLogger().verbose("There is not enough space left on the device to store data, data discarded");
return DB_OUT_OF_MEMORY_ERROR;
}
final String tableName = Table.USER_PROFILES.getName();
long ret = DB_UPDATE_ERROR;
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
final ContentValues cv = new ContentValues();
cv.put(KEY_DATA, obj.toString());
cv.put("_id", id);
ret = db.insertWithOnConflict(tableName, null, cv, SQLiteDatabase.CONFLICT_REPLACE);
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error adding data to table " + tableName + " Recreating DB");
dbHelper.deleteDatabase();
} finally {
dbHelper.close();
}
return ret;
} | java |
synchronized void removeUserProfile(String id) {
if (id == null) return;
final String tableName = Table.USER_PROFILES.getName();
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
db.delete(tableName, "_id = ?", new String[]{id});
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error removing user profile from " + tableName + " Recreating DB");
dbHelper.deleteDatabase();
} finally {
dbHelper.close();
}
} | java |
synchronized void removeEvents(Table table) {
final String tName = table.getName();
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
db.delete(tName, null, null);
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error removing all events from table " + tName + " Recreating DB");
deleteDB();
} finally {
dbHelper.close();
}
} | java |
synchronized JSONObject fetchEvents(Table table, final int limit) {
final String tName = table.getName();
Cursor cursor = null;
String lastId = null;
final JSONArray events = new JSONArray();
//noinspection TryFinallyCanBeTryWithResources
try {
final SQLiteDatabase db = dbHelper.getReadableDatabase();
cursor = db.rawQuery("SELECT * FROM " + tName +
" ORDER BY " + KEY_CREATED_AT + " ASC LIMIT " + limit, null);
while (cursor.moveToNext()) {
if (cursor.isLast()) {
lastId = cursor.getString(cursor.getColumnIndex("_id"));
}
try {
final JSONObject j = new JSONObject(cursor.getString(cursor.getColumnIndex(KEY_DATA)));
events.put(j);
} catch (final JSONException e) {
// Ignore
}
}
} catch (final SQLiteException e) {
getConfigLogger().verbose("Could not fetch records out of database " + tName + ".", e);
lastId = null;
} finally {
dbHelper.close();
if (cursor != null) {
cursor.close();
}
}
if (lastId != null) {
try {
final JSONObject ret = new JSONObject();
ret.put(lastId, events);
return ret;
} catch (JSONException e) {
// ignore
}
}
return null;
} | java |
synchronized void storeUninstallTimestamp() {
if (!this.belowMemThreshold()) {
getConfigLogger().verbose("There is not enough space left on the device to store data, data discarded");
return ;
}
final String tableName = Table.UNINSTALL_TS.getName();
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
final ContentValues cv = new ContentValues();
cv.put(KEY_CREATED_AT, System.currentTimeMillis());
db.insert(tableName, null, cv);
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error adding data to table " + tableName + " Recreating DB");
dbHelper.deleteDatabase();
} finally {
dbHelper.close();
}
} | java |
synchronized boolean deleteMessageForId(String messageId, String userId){
if(messageId == null || userId == null) return false;
final String tName = Table.INBOX_MESSAGES.getName();
try {
final SQLiteDatabase db = dbHelper.getWritableDatabase();
db.delete(tName, _ID + " = ? AND " + USER_ID + " = ?", new String[]{messageId,userId});
return true;
} catch (final SQLiteException e) {
getConfigLogger().verbose("Error removing stale records from " + tName, e);
return false;
} finally {
dbHelper.close();
}
} | java |
synchronized boolean markReadMessageForId(String messageId, String userId){
if(messageId == null || userId == null) return false;
final String tName = Table.INBOX_MESSAGES.getName();
try{
final SQLiteDatabase db = dbHelper.getWritableDatabase();
ContentValues cv = new ContentValues();
cv.put(IS_READ,1);
db.update(Table.INBOX_MESSAGES.getName(), cv,_ID + " = ? AND " + USER_ID + " = ?",new String[]{messageId,userId});
return true;
}catch (final SQLiteException e){
getConfigLogger().verbose("Error removing stale records from " + tName, e);
return false;
} finally {
dbHelper.close();
}
} | java |
synchronized ArrayList<CTMessageDAO> getMessages(String userId){
final String tName = Table.INBOX_MESSAGES.getName();
Cursor cursor;
ArrayList<CTMessageDAO> messageDAOArrayList = new ArrayList<>();
try{
final SQLiteDatabase db = dbHelper.getWritableDatabase();
cursor= db.rawQuery("SELECT * FROM "+tName+" WHERE " + USER_ID + " = ? ORDER BY " + KEY_CREATED_AT+ " DESC", new String[]{userId});
if(cursor != null) {
while(cursor.moveToNext()){
CTMessageDAO ctMessageDAO = new CTMessageDAO();
ctMessageDAO.setId(cursor.getString(cursor.getColumnIndex(_ID)));
ctMessageDAO.setJsonData(new JSONObject(cursor.getString(cursor.getColumnIndex(KEY_DATA))));
ctMessageDAO.setWzrkParams(new JSONObject(cursor.getString(cursor.getColumnIndex(WZRKPARAMS))));
ctMessageDAO.setDate(cursor.getLong(cursor.getColumnIndex(KEY_CREATED_AT)));
ctMessageDAO.setExpires(cursor.getLong(cursor.getColumnIndex(EXPIRES)));
ctMessageDAO.setRead(cursor.getInt(cursor.getColumnIndex(IS_READ)));
ctMessageDAO.setUserId(cursor.getString(cursor.getColumnIndex(USER_ID)));
ctMessageDAO.setTags(cursor.getString(cursor.getColumnIndex(TAGS)));
ctMessageDAO.setCampaignId(cursor.getString(cursor.getColumnIndex(CAMPAIGN)));
messageDAOArrayList.add(ctMessageDAO);
}
cursor.close();
}
return messageDAOArrayList;
}catch (final SQLiteException e){
getConfigLogger().verbose("Error retrieving records from " + tName, e);
return null;
} catch (JSONException e) {
getConfigLogger().verbose("Error retrieving records from " + tName, e.getMessage());
return null;
} finally {
dbHelper.close();
}
} | java |
private void readContents(int maxFrames) {
// Read GIF file content blocks.
boolean done = false;
while (!(done || err() || header.frameCount > maxFrames)) {
int code = read();
switch (code) {
// Image separator.
case 0x2C:
// The graphics control extension is optional, but will always come first if it exists.
// If one did
// exist, there will be a non-null current frame which we should use. However if one
// did not exist,
// the current frame will be null and we must create it here. See issue #134.
if (header.currentFrame == null) {
header.currentFrame = new GifFrame();
}
readBitmap();
break;
// Extension.
case 0x21:
code = read();
switch (code) {
// Graphics control extension.
case 0xf9:
// Start a new frame.
header.currentFrame = new GifFrame();
readGraphicControlExt();
break;
// Application extension.
case 0xff:
readBlock();
String app = "";
for (int i = 0; i < 11; i++) {
app += (char) block[i];
}
if (app.equals("NETSCAPE2.0")) {
readNetscapeExt();
} else {
// Don't care.
skip();
}
break;
// Comment extension.
case 0xfe:
skip();
break;
// Plain text extension.
case 0x01:
skip();
break;
// Uninteresting extension.
default:
skip();
}
break;
// Terminator.
case 0x3b:
done = true;
break;
// Bad byte, but keep going and see what happens break;
case 0x00:
default:
header.status = GifDecoder.STATUS_FORMAT_ERROR;
}
}
} | java |
private void readBitmap() {
// (sub)image position & size.
header.currentFrame.ix = readShort();
header.currentFrame.iy = readShort();
header.currentFrame.iw = readShort();
header.currentFrame.ih = readShort();
int packed = read();
// 1 - local color table flag interlace
boolean lctFlag = (packed & 0x80) != 0;
int lctSize = (int) Math.pow(2, (packed & 0x07) + 1);
// 3 - sort flag
// 4-5 - reserved lctSize = 2 << (packed & 7); // 6-8 - local color
// table size
header.currentFrame.interlace = (packed & 0x40) != 0;
if (lctFlag) {
// Read table.
header.currentFrame.lct = readColorTable(lctSize);
} else {
// No local color table.
header.currentFrame.lct = null;
}
// Save this as the decoding position pointer.
header.currentFrame.bufferFrameStart = rawData.position();
// False decode pixel data to advance buffer.
skipImageData();
if (err()) {
return;
}
header.frameCount++;
// Add image to frame.
header.frames.add(header.currentFrame);
} | java |
private void readNetscapeExt() {
do {
readBlock();
if (block[0] == 1) {
// Loop count sub-block.
int b1 = ((int) block[1]) & 0xff;
int b2 = ((int) block[2]) & 0xff;
header.loopCount = (b2 << 8) | b1;
if(header.loopCount == 0) {
header.loopCount = GifDecoder.LOOP_FOREVER;
}
}
} while ((blockSize > 0) && !err());
} | java |
private void readLSD() {
// Logical screen size.
header.width = readShort();
header.height = readShort();
// Packed fields
int packed = read();
// 1 : global color table flag.
header.gctFlag = (packed & 0x80) != 0;
// 2-4 : color resolution.
// 5 : gct sort flag.
// 6-8 : gct size.
header.gctSize = 2 << (packed & 7);
// Background color index.
header.bgIndex = read();
// Pixel aspect ratio
header.pixelAspect = read();
} | java |
private int[] readColorTable(int ncolors) {
int nbytes = 3 * ncolors;
int[] tab = null;
byte[] c = new byte[nbytes];
try {
rawData.get(c);
// Max size to avoid bounds checks.
tab = new int[MAX_BLOCK_SIZE];
int i = 0;
int j = 0;
while (i < ncolors) {
int r = ((int) c[j++]) & 0xff;
int g = ((int) c[j++]) & 0xff;
int b = ((int) c[j++]) & 0xff;
tab[i++] = 0xff000000 | (r << 16) | (g << 8) | b;
}
} catch (BufferUnderflowException e) {
//if (Log.isLoggable(TAG, Log.DEBUG)) {
Logger.d(TAG, "Format Error Reading Color Table", e);
//}
header.status = GifDecoder.STATUS_FORMAT_ERROR;
}
return tab;
} | java |
private void skip() {
try {
int blockSize;
do {
blockSize = read();
rawData.position(rawData.position() + blockSize);
} while (blockSize > 0);
} catch (IllegalArgumentException ex) {
}
} | java |
private int read() {
int curByte = 0;
try {
curByte = rawData.get() & 0xFF;
} catch (Exception e) {
header.status = GifDecoder.STATUS_FORMAT_ERROR;
}
return curByte;
} | java |
private boolean isToIgnore(CtElement element) {
if (element instanceof CtStatementList && !(element instanceof CtCase)) {
if (element.getRoleInParent() == CtRole.ELSE || element.getRoleInParent() == CtRole.THEN) {
return false;
}
return true;
}
return element.isImplicit() || element instanceof CtReference;
} | java |
public JsonObject getJSONwithOperations(TreeContext context, ITree tree, List<Operation> operations) {
OperationNodePainter opNodePainter = new OperationNodePainter(operations);
Collection<NodePainter> painters = new ArrayList<NodePainter>();
painters.add(opNodePainter);
return getJSONwithCustorLabels(context, tree, painters);
} | java |
public List<Action> getRootActions() {
final List<Action> rootActions = srcUpdTrees.stream().map(t -> originalActionsSrc.get(t))
.collect(Collectors.toList());
rootActions.addAll(srcDelTrees.stream() //
.filter(t -> !srcDelTrees.contains(t.getParent()) && !srcUpdTrees.contains(t.getParent())) //
.map(t -> originalActionsSrc.get(t)) //
.collect(Collectors.toList()));
rootActions.addAll(dstAddTrees.stream() //
.filter(t -> !dstAddTrees.contains(t.getParent()) && !dstUpdTrees.contains(t.getParent())) //
.map(t -> originalActionsDst.get(t)) //
.collect(Collectors.toList()));
rootActions.addAll(dstMvTrees.stream() //
.filter(t -> !dstMvTrees.contains(t.getParent())) //
.map(t -> originalActionsDst.get(t)) //
.collect(Collectors.toList()));
rootActions.removeAll(Collections.singleton(null));
return rootActions;
} | java |
public Diff compare(File f1, File f2) throws Exception {
return this.compare(getCtType(f1), getCtType(f2));
} | java |
public Diff compare(String left, String right) {
return compare(getCtType(left), getCtType(right));
} | java |
public Diff compare(CtElement left, CtElement right) {
final SpoonGumTreeBuilder scanner = new SpoonGumTreeBuilder();
return new DiffImpl(scanner.getTreeContext(), scanner.getTree(left), scanner.getTree(right));
} | java |
public void set(int index, T object) {
synchronized (mLock) {
if (mOriginalValues != null) {
mOriginalValues.set(index, object);
} else {
mObjects.set(index, object);
}
}
if (mNotifyOnChange) notifyDataSetChanged();
} | java |
public void addAll(int index, T... items) {
List<T> collection = Arrays.asList(items);
synchronized (mLock) {
if (mOriginalValues != null) {
mOriginalValues.addAll(index, collection);
} else {
mObjects.addAll(index, collection);
}
}
if (mNotifyOnChange) notifyDataSetChanged();
} | java |
public void removeAt(int index) {
synchronized (mLock) {
if (mOriginalValues != null) {
mOriginalValues.remove(index);
} else {
mObjects.remove(index);
}
}
if (mNotifyOnChange) notifyDataSetChanged();
} | java |
public boolean removeAll(Collection<?> collection) {
boolean result = false;
synchronized (mLock) {
Iterator<?> it;
if (mOriginalValues != null) {
it = mOriginalValues.iterator();
} else {
it = mObjects.iterator();
}
while (it.hasNext()) {
if (collection.contains(it.next())) {
it.remove();
result = true;
}
}
}
if (mNotifyOnChange) notifyDataSetChanged();
return result;
} | java |
public void addAll(@NonNull final Collection<T> collection) {
final int length = collection.size();
if (length == 0) {
return;
}
synchronized (mLock) {
final int position = getItemCount();
mObjects.addAll(collection);
notifyItemRangeInserted(position, length);
}
} | java |
@Nullable
public T getItem(final int position) {
if (position < 0 || position >= mObjects.size()) {
return null;
}
return mObjects.get(position);
} | java |
public void replaceItem(@NonNull final T oldObject, @NonNull final T newObject) {
synchronized (mLock) {
final int position = getPosition(oldObject);
if (position == -1) {
// not found, don't replace
return;
}
mObjects.remove(position);
mObjects.add(position, newObject);
if (isItemTheSame(oldObject, newObject)) {
if (isContentTheSame(oldObject, newObject)) {
// visible content hasn't changed, don't notify
return;
}
// item with same stable id has changed
notifyItemChanged(position, newObject);
} else {
// item replaced with another one with a different id
notifyItemRemoved(position);
notifyItemInserted(position);
}
}
} | java |
@TargetApi(VERSION_CODES.KITKAT)
public static void hideSystemUI(Activity activity) {
// Set the IMMERSIVE flag.
// Set the content to appear under the system bars so that the content
// doesn't resize when the system bars hideSelf and show.
View decorView = activity.getWindow().getDecorView();
decorView.setSystemUiVisibility(
View.SYSTEM_UI_FLAG_LAYOUT_STABLE
| View.SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION
| View.SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN
| View.SYSTEM_UI_FLAG_HIDE_NAVIGATION // hideSelf nav bar
| View.SYSTEM_UI_FLAG_FULLSCREEN // hideSelf status bar
| View.SYSTEM_UI_FLAG_IMMERSIVE
);
} | java |
@TargetApi(VERSION_CODES.KITKAT)
public static void showSystemUI(Activity activity) {
View decorView = activity.getWindow().getDecorView();
decorView.setSystemUiVisibility(
View.SYSTEM_UI_FLAG_LAYOUT_STABLE
| View.SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION
| View.SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN
);
} | java |
@Override
public View getView(int position, View convertView,
ViewGroup parent) {
return (wrapped.getView(position, convertView, parent));
} | java |
@Override
public void onDismiss(DialogInterface dialog) {
if (mOldDialog != null && mOldDialog == dialog) {
// This is the callback from the old progress dialog that was already dismissed before
// the device orientation change, so just ignore it.
return;
}
super.onDismiss(dialog);
} | java |
public static boolean isToStringMethod(Method method) {
return (method != null && method.getName().equals("readString") && method.getParameterTypes().length == 0);
} | java |
public static Method[] getUniqueDeclaredMethods(Class<?> leafClass) throws IllegalArgumentException {
final List<Method> methods = new ArrayList<Method>(32);
doWithMethods(leafClass, new MethodCallback() {
@Override
public void doWith(Method method) {
boolean knownSignature = false;
Method methodBeingOverriddenWithCovariantReturnType = null;
for (Method existingMethod : methods) {
if (method.getName().equals(existingMethod.getName()) &&
Arrays.equals(method.getParameterTypes(), existingMethod.getParameterTypes())) {
// Is this a covariant return type situation?
if (existingMethod.getReturnType() != method.getReturnType() &&
existingMethod.getReturnType().isAssignableFrom(method.getReturnType())) {
methodBeingOverriddenWithCovariantReturnType = existingMethod;
} else {
knownSignature = true;
}
break;
}
}
if (methodBeingOverriddenWithCovariantReturnType != null) {
methods.remove(methodBeingOverriddenWithCovariantReturnType);
}
if (!knownSignature) {
methods.add(method);
}
}
});
return methods.toArray(new Method[methods.size()]);
} | java |
@Override
public V put(K key, V value) {
if (fast) {
synchronized (this) {
Map<K, V> temp = cloneMap(map);
V result = temp.put(key, value);
map = temp;
return (result);
}
} else {
synchronized (map) {
return (map.put(key, value));
}
}
} | java |
@Override
public void putAll(Map<? extends K, ? extends V> in) {
if (fast) {
synchronized (this) {
Map<K, V> temp = cloneMap(map);
temp.putAll(in);
map = temp;
}
} else {
synchronized (map) {
map.putAll(in);
}
}
} | java |
@Override
public V remove(Object key) {
if (fast) {
synchronized (this) {
Map<K, V> temp = cloneMap(map);
V result = temp.remove(key);
map = temp;
return (result);
}
} else {
synchronized (map) {
return (map.remove(key));
}
}
} | java |
public static boolean isFileExist(String filePath) {
if (StringUtils.isEmpty(filePath)) {
return false;
}
File file = new File(filePath);
return (file.exists() && file.isFile());
} | java |
public static boolean isFolderExist(String directoryPath) {
if (StringUtils.isEmpty(directoryPath)) {
return false;
}
File dire = new File(directoryPath);
return (dire.exists() && dire.isDirectory());
} | java |
public static void addToMediaStore(Context context, File file) {
String[] path = new String[]{file.getPath()};
MediaScannerConnection.scanFile(context, path, null, null);
} | java |
@Override
public synchronized long skip(final long length) throws IOException {
final long skip = super.skip(length);
this.count += skip;
return skip;
} | java |
public final void notifyHeaderItemRangeInserted(int positionStart, int itemCount) {
int newHeaderItemCount = getHeaderItemCount();
if (positionStart < 0 || itemCount < 0 || positionStart + itemCount > newHeaderItemCount) {
throw new IndexOutOfBoundsException("The given range [" + positionStart + " - " + (positionStart + itemCount - 1) + "] is not within the position bounds for header items [0 - " + (newHeaderItemCount - 1) + "].");
}
notifyItemRangeInserted(positionStart, itemCount);
} | java |
public final void notifyHeaderItemChanged(int position) {
if (position < 0 || position >= headerItemCount) {
throw new IndexOutOfBoundsException("The given position " + position + " is not within the position bounds for header items [0 - " + (headerItemCount - 1) + "].");
}
notifyItemChanged(position);
} | java |
public final void notifyHeaderItemRangeChanged(int positionStart, int itemCount) {
if (positionStart < 0 || itemCount < 0 || positionStart + itemCount >= headerItemCount) {
throw new IndexOutOfBoundsException("The given range [" + positionStart + " - " + (positionStart + itemCount - 1) + "] is not within the position bounds for header items [0 - " + (headerItemCount - 1) + "].");
}
notifyItemRangeChanged(positionStart, itemCount);
} | java |
public void notifyHeaderItemMoved(int fromPosition, int toPosition) {
if (fromPosition < 0 || toPosition < 0 || fromPosition >= headerItemCount || toPosition >= headerItemCount) {
throw new IndexOutOfBoundsException("The given fromPosition " + fromPosition + " or toPosition " + toPosition + " is not within the position bounds for header items [0 - " + (headerItemCount - 1) + "].");
}
notifyItemMoved(fromPosition, toPosition);
} | java |
public void notifyHeaderItemRangeRemoved(int positionStart, int itemCount) {
if (positionStart < 0 || itemCount < 0 || positionStart + itemCount > headerItemCount) {
throw new IndexOutOfBoundsException("The given range [" + positionStart + " - " + (positionStart + itemCount - 1) + "] is not within the position bounds for header items [0 - " + (headerItemCount - 1) + "].");
}
notifyItemRangeRemoved(positionStart, itemCount);
} | java |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.