1
0
mirror of https://github.com/MGislv/NekoX.git synced 2024-07-02 22:43:36 +00:00

Update to 3.0.1

This commit is contained in:
DrKLO 2015-06-29 20:12:11 +03:00
parent 163461882d
commit a93d299484
207 changed files with 7675 additions and 2931 deletions

View File

@ -1,11 +1,3 @@
buildscript {
repositories {
mavenCentral()
}
dependencies {
classpath 'com.android.tools.build:gradle:1.2.3'
}
}
apply plugin: 'com.android.application' apply plugin: 'com.android.application'
repositories { repositories {
@ -13,7 +5,7 @@ repositories {
} }
dependencies { dependencies {
compile 'com.android.support:support-v4:22.1.+' compile 'com.android.support:support-v4:22.2.+'
compile 'com.google.android.gms:play-services:3.2.+' compile 'com.google.android.gms:play-services:3.2.+'
compile 'net.hockeyapp.android:HockeySDK:3.5.+' compile 'net.hockeyapp.android:HockeySDK:3.5.+'
compile 'com.googlecode.mp4parser:isoparser:1.0.+' compile 'com.googlecode.mp4parser:isoparser:1.0.+'
@ -81,7 +73,7 @@ android {
defaultConfig { defaultConfig {
minSdkVersion 8 minSdkVersion 8
targetSdkVersion 22 targetSdkVersion 22
versionCode 542 versionCode 572
versionName "2.9.1" versionName "3.0.1"
} }
} }

View File

@ -430,7 +430,7 @@ JNIEXPORT void Java_org_telegram_messenger_Utilities_loadBitmap(JNIEnv *env, jcl
AndroidBitmapInfo info; AndroidBitmapInfo info;
int i; int i;
if ((i = AndroidBitmap_getInfo(env, bitmap, &info)) >= 0) { if ((i = AndroidBitmap_getInfo(env, bitmap, &info)) >= 0) {
char *fileName = (*env)->GetStringUTFChars(env, path, NULL); char *fileName = (*env)->GetStringUTFChars(env, path, NULL);
FILE *infile; FILE *infile;
@ -438,7 +438,7 @@ JNIEXPORT void Java_org_telegram_messenger_Utilities_loadBitmap(JNIEnv *env, jcl
if ((infile = fopen(fileName, "rb"))) { if ((infile = fopen(fileName, "rb"))) {
struct my_error_mgr jerr; struct my_error_mgr jerr;
struct jpeg_decompress_struct cinfo; struct jpeg_decompress_struct cinfo;
cinfo.err = jpeg_std_error(&jerr.pub); cinfo.err = jpeg_std_error(&jerr.pub);
jerr.pub.error_exit = my_error_exit; jerr.pub.error_exit = my_error_exit;
@ -557,7 +557,7 @@ JNIEXPORT jobject Java_org_telegram_messenger_Utilities_loadWebpImage(JNIEnv *en
if (!WebPDecodeRGBAInto((uint8_t*)inputBuffer, len, (uint8_t*)bitmapPixels, bitmapInfo.height * bitmapInfo.stride, bitmapInfo.stride)) { if (!WebPDecodeRGBAInto((uint8_t*)inputBuffer, len, (uint8_t*)bitmapPixels, bitmapInfo.height * bitmapInfo.stride, bitmapInfo.stride)) {
AndroidBitmap_unlockPixels(env, outputBitmap); AndroidBitmap_unlockPixels(env, outputBitmap);
(*env)->DeleteLocalRef(env, outputBitmap); (*env)->DeleteLocalRef(env, outputBitmap);
(*env)->ThrowNew(env, jclass_RuntimeException, "Failed to unlock Bitmap pixels"); (*env)->ThrowNew(env, jclass_RuntimeException, "Failed to decode webp image");
return 0; return 0;
} }

View File

@ -8,9 +8,11 @@
package org.telegram.SQLite; package org.telegram.SQLite;
import org.telegram.messenger.BuildVars;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import java.nio.ByteBuffer; import java.nio.ByteBuffer;
import java.util.HashMap;
public class SQLitePreparedStatement { public class SQLitePreparedStatement {
private boolean isFinalized = false; private boolean isFinalized = false;
@ -19,6 +21,8 @@ public class SQLitePreparedStatement {
private int queryArgsCount; private int queryArgsCount;
private boolean finalizeAfterQuery = false; private boolean finalizeAfterQuery = false;
private static HashMap<SQLitePreparedStatement, String> hashMap;
public int getStatementHandle() { public int getStatementHandle() {
return sqliteStatementHandle; return sqliteStatementHandle;
} }
@ -26,6 +30,15 @@ public class SQLitePreparedStatement {
public SQLitePreparedStatement(SQLiteDatabase db, String sql, boolean finalize) throws SQLiteException { public SQLitePreparedStatement(SQLiteDatabase db, String sql, boolean finalize) throws SQLiteException {
finalizeAfterQuery = finalize; finalizeAfterQuery = finalize;
sqliteStatementHandle = prepare(db.getSQLiteHandle(), sql); sqliteStatementHandle = prepare(db.getSQLiteHandle(), sql);
if (BuildVars.DEBUG_VERSION) {
if (hashMap == null) {
hashMap = new HashMap<>();
}
hashMap.put(this, sql);
for (HashMap.Entry<SQLitePreparedStatement, String> entry : hashMap.entrySet()) {
FileLog.d("tmessages", "exist entry = " + entry.getValue());
}
}
} }
@ -88,6 +101,9 @@ public class SQLitePreparedStatement {
return; return;
} }
try { try {
if (BuildVars.DEBUG_VERSION) {
hashMap.remove(this);
}
isFinalized = true; isFinalized = true;
finalize(sqliteStatementHandle); finalize(sqliteStatementHandle);
} catch (SQLiteException e) { } catch (SQLiteException e) {

View File

@ -616,22 +616,31 @@ public class AndroidUtilities {
} }
} }
public static final int FLAG_TAG_BR = 1;
public static final int FLAG_TAG_BOLD = 2;
public static final int FLAG_TAG_COLOR = 4;
public static final int FLAG_TAG_ALL = FLAG_TAG_BR | FLAG_TAG_BOLD | FLAG_TAG_COLOR;
public static Spannable replaceTags(String str) { public static Spannable replaceTags(String str) {
return replaceTags(str, FLAG_TAG_ALL);
}
public static Spannable replaceTags(String str, int flag) {
try { try {
int start; int start;
int startColor = -1;
int end; int end;
StringBuilder stringBuilder = new StringBuilder(str); StringBuilder stringBuilder = new StringBuilder(str);
while ((start = stringBuilder.indexOf("<br>")) != -1) { if ((flag & FLAG_TAG_BR) != 0) {
stringBuilder.replace(start, start + 4, "\n"); while ((start = stringBuilder.indexOf("<br>")) != -1) {
} stringBuilder.replace(start, start + 4, "\n");
while ((start = stringBuilder.indexOf("<br/>")) != -1) { }
stringBuilder.replace(start, start + 5, "\n"); while ((start = stringBuilder.indexOf("<br/>")) != -1) {
stringBuilder.replace(start, start + 5, "\n");
}
} }
ArrayList<Integer> bolds = new ArrayList<>(); ArrayList<Integer> bolds = new ArrayList<>();
ArrayList<Integer> colors = new ArrayList<>(); if ((flag & FLAG_TAG_BOLD) != 0) {
while ((start = stringBuilder.indexOf("<b>")) != -1 || (startColor = stringBuilder.indexOf("<c#")) != -1) { while ((start = stringBuilder.indexOf("<b>")) != -1) {
if (start != -1) {
stringBuilder.replace(start, start + 3, ""); stringBuilder.replace(start, start + 3, "");
end = stringBuilder.indexOf("</b>"); end = stringBuilder.indexOf("</b>");
if (end == -1) { if (end == -1) {
@ -640,17 +649,20 @@ public class AndroidUtilities {
stringBuilder.replace(end, end + 4, ""); stringBuilder.replace(end, end + 4, "");
bolds.add(start); bolds.add(start);
bolds.add(end); bolds.add(end);
} else if (startColor != -1) { }
stringBuilder.replace(startColor, startColor + 2, ""); }
end = stringBuilder.indexOf(">", startColor); ArrayList<Integer> colors = new ArrayList<>();
int color = Color.parseColor(stringBuilder.substring(startColor, end)); if ((flag & FLAG_TAG_COLOR) != 0) {
stringBuilder.replace(startColor, end + 1, ""); while ((start = stringBuilder.indexOf("<c#")) != -1) {
stringBuilder.replace(start, start + 2, "");
end = stringBuilder.indexOf(">", start);
int color = Color.parseColor(stringBuilder.substring(start, end));
stringBuilder.replace(start, end + 1, "");
end = stringBuilder.indexOf("</c>"); end = stringBuilder.indexOf("</c>");
stringBuilder.replace(end, end + 4, ""); stringBuilder.replace(end, end + 4, "");
colors.add(startColor); colors.add(start);
colors.add(end); colors.add(end);
colors.add(color); colors.add(color);
startColor = -1;
} }
} }
SpannableStringBuilder spannableStringBuilder = new SpannableStringBuilder(stringBuilder); SpannableStringBuilder spannableStringBuilder = new SpannableStringBuilder(stringBuilder);

View File

@ -89,6 +89,15 @@ public class AnimatorSetProxy {
return this; return this;
} }
public AnimatorSetProxy setStartDelay(long delay) {
if (View10.NEED_PROXY) {
((AnimatorSet10) animatorSet).setStartDelay(delay);
} else {
((AnimatorSet) animatorSet).setStartDelay(delay);
}
return this;
}
public void start() { public void start() {
if (View10.NEED_PROXY) { if (View10.NEED_PROXY) {
((AnimatorSet10) animatorSet).start(); ((AnimatorSet10) animatorSet).start();

View File

@ -956,14 +956,8 @@ public class ContactsController {
public int compare(TLRPC.TL_contact tl_contact, TLRPC.TL_contact tl_contact2) { public int compare(TLRPC.TL_contact tl_contact, TLRPC.TL_contact tl_contact2) {
TLRPC.User user1 = usersDict.get(tl_contact.user_id); TLRPC.User user1 = usersDict.get(tl_contact.user_id);
TLRPC.User user2 = usersDict.get(tl_contact2.user_id); TLRPC.User user2 = usersDict.get(tl_contact2.user_id);
String name1 = user1.first_name; String name1 = UserObject.getFirstName(user1);
if (name1 == null || name1.length() == 0) { String name2 = UserObject.getFirstName(user2);
name1 = user1.last_name;
}
String name2 = user2.first_name;
if (name2 == null || name2.length() == 0) {
name2 = user2.last_name;
}
return name1.compareTo(name2); return name1.compareTo(name2);
} }
}); });
@ -989,10 +983,7 @@ public class ContactsController {
contactsByPhonesDict.put(user.phone, value); contactsByPhonesDict.put(user.phone, value);
} }
String key = user.first_name; String key = UserObject.getFirstName(user);
if (key == null || key.length() == 0) {
key = user.last_name;
}
if (key.length() > 1) { if (key.length() > 1) {
key = key.substring(0, 1); key = key.substring(0, 1);
} }
@ -1160,14 +1151,8 @@ public class ContactsController {
public int compare(TLRPC.TL_contact tl_contact, TLRPC.TL_contact tl_contact2) { public int compare(TLRPC.TL_contact tl_contact, TLRPC.TL_contact tl_contact2) {
TLRPC.User user1 = MessagesController.getInstance().getUser(tl_contact.user_id); TLRPC.User user1 = MessagesController.getInstance().getUser(tl_contact.user_id);
TLRPC.User user2 = MessagesController.getInstance().getUser(tl_contact2.user_id); TLRPC.User user2 = MessagesController.getInstance().getUser(tl_contact2.user_id);
String name1 = user1.first_name; String name1 = UserObject.getFirstName(user1);
if (name1 == null || name1.length() == 0) { String name2 = UserObject.getFirstName(user2);
name1 = user1.last_name;
}
String name2 = user2.first_name;
if (name2 == null || name2.length() == 0) {
name2 = user2.last_name;
}
return name1.compareTo(name2); return name1.compareTo(name2);
} }
}); });
@ -1183,10 +1168,7 @@ public class ContactsController {
continue; continue;
} }
String key = user.first_name; String key = UserObject.getFirstName(user);
if (key == null || key.length() == 0) {
key = user.last_name;
}
if (key.length() > 1) { if (key.length() > 1) {
key = key.substring(0, 1); key = key.substring(0, 1);
} }
@ -1638,7 +1620,7 @@ public class ContactsController {
for (TLRPC.User user : users) { for (TLRPC.User user : users) {
if (user.phone != null && user.phone.length() > 0) { if (user.phone != null && user.phone.length() > 0) {
CharSequence name = ContactsController.formatName(user.first_name, user.last_name); CharSequence name = UserObject.getUserName(user);
MessagesStorage.getInstance().applyPhoneBookUpdates(user.phone, ""); MessagesStorage.getInstance().applyPhoneBookUpdates(user.phone, "");
Contact contact = contactsBookSPhones.get(user.phone); Contact contact = contactsBookSPhones.get(user.phone);
if (contact != null) { if (contact != null) {

View File

@ -21,6 +21,7 @@ import android.graphics.Paint;
import android.graphics.Rect; import android.graphics.Rect;
import android.graphics.drawable.Drawable; import android.graphics.drawable.Drawable;
import android.text.Spannable; import android.text.Spannable;
import android.text.Spanned;
import android.text.style.DynamicDrawableSpan; import android.text.style.DynamicDrawableSpan;
import android.text.style.ImageSpan; import android.text.style.ImageSpan;
import android.view.View; import android.view.View;
@ -416,6 +417,14 @@ public class Emoji {
return false; return false;
} }
private static boolean isNextCharIsColor(CharSequence cs, int i) {
if (i + 2 >= cs.length()) {
return false;
}
int value = cs.charAt(i + 1) << 16 | cs.charAt(i + 2);
return value == 0xd83cdffb || value == 0xd83cdffc || value == 0xd83cdffd || value == 0xd83cdffe || value == 0xd83cdfff;
}
public static CharSequence replaceEmoji(CharSequence cs, Paint.FontMetricsInt fontMetrics, int size) { public static CharSequence replaceEmoji(CharSequence cs, Paint.FontMetricsInt fontMetrics, int size) {
if (cs == null || cs.length() == 0) { if (cs == null || cs.length() == 0) {
return cs; return cs;
@ -439,12 +448,16 @@ public class Emoji {
buf |= c; buf |= c;
EmojiDrawable d = Emoji.getEmojiDrawable(buf); EmojiDrawable d = Emoji.getEmojiDrawable(buf);
if (d != null) { if (d != null) {
boolean nextIsSkinTone = isNextCharIsColor(cs, i);
EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics); EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics);
emojiCount++; emojiCount++;
if (c >= 0xDDE6 && c <= 0xDDFA) { if (c >= 0xDDE6 && c <= 0xDDFA) {
s.setSpan(span, i - 3, i + 1, 0); s.setSpan(span, i - 3, i + (nextIsSkinTone ? 3 : 1), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
} else { } else {
s.setSpan(span, i - 1, i + 1, 0); s.setSpan(span, i - 1, i + (nextIsSkinTone ? 3 : 1), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
}
if (nextIsSkinTone) {
i += 2;
} }
} }
buf = 0; buf = 0;
@ -457,9 +470,13 @@ public class Emoji {
buf |= c; buf |= c;
EmojiDrawable d = Emoji.getEmojiDrawable(buf); EmojiDrawable d = Emoji.getEmojiDrawable(buf);
if (d != null) { if (d != null) {
boolean nextIsSkinTone = isNextCharIsColor(cs, i);
EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics); EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics);
emojiCount++; emojiCount++;
s.setSpan(span, i - 1, i + 1, 0); s.setSpan(span, i - 1, i + (nextIsSkinTone ? 3 : 1), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
if (nextIsSkinTone) {
i += 2;
}
} }
buf = 0; buf = 0;
} }
@ -467,9 +484,13 @@ public class Emoji {
} else if (inArray(c, emojiChars)) { } else if (inArray(c, emojiChars)) {
EmojiDrawable d = Emoji.getEmojiDrawable(c); EmojiDrawable d = Emoji.getEmojiDrawable(c);
if (d != null) { if (d != null) {
boolean nextIsSkinTone = isNextCharIsColor(cs, i);
EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics); EmojiSpan span = new EmojiSpan(d, DynamicDrawableSpan.ALIGN_BOTTOM, size, fontMetrics);
emojiCount++; emojiCount++;
s.setSpan(span, i, i + 1, 0); s.setSpan(span, i, i + (nextIsSkinTone ? 3 : 1), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
if (nextIsSkinTone) {
i += 2;
}
} }
} }
if (emojiCount >= 50) { if (emojiCount >= 50) {

View File

@ -46,6 +46,7 @@ import java.lang.reflect.Method;
import java.net.HttpURLConnection; import java.net.HttpURLConnection;
import java.net.URL; import java.net.URL;
import java.net.URLConnection; import java.net.URLConnection;
import java.net.UnknownHostException;
import java.nio.ByteBuffer; import java.nio.ByteBuffer;
import java.nio.channels.FileChannel; import java.nio.channels.FileChannel;
import java.util.ArrayList; import java.util.ArrayList;
@ -140,62 +141,67 @@ public class ImageLoader {
fileOutputStream = new RandomAccessFile(tempFile, "rws"); fileOutputStream = new RandomAccessFile(tempFile, "rws");
} catch (Throwable e) { } catch (Throwable e) {
FileLog.e("tmessages", e); if (e instanceof UnknownHostException) {
} canRetry = false;
try {
if (httpConnection != null && httpConnection instanceof HttpURLConnection) {
int code = ((HttpURLConnection) httpConnection).getResponseCode();
if (code != HttpURLConnection.HTTP_OK && code != HttpURLConnection.HTTP_ACCEPTED && code != HttpURLConnection.HTTP_NOT_MODIFIED) {
canRetry = false;
}
} }
} catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
if (httpConnectionStream != null) { if (canRetry) {
try { try {
byte[] data = new byte[1024 * 4]; if (httpConnection != null && httpConnection instanceof HttpURLConnection) {
while (true) { int code = ((HttpURLConnection) httpConnection).getResponseCode();
if (isCancelled()) { if (code != HttpURLConnection.HTTP_OK && code != HttpURLConnection.HTTP_ACCEPTED && code != HttpURLConnection.HTTP_NOT_MODIFIED) {
break; canRetry = false;
} }
try { }
int read = httpConnectionStream.read(data); } catch (Exception e) {
if (read > 0) { FileLog.e("tmessages", e);
fileOutputStream.write(data, 0, read); }
} else if (read == -1) {
done = true; if (httpConnectionStream != null) {
break; try {
} else { byte[] data = new byte[1024 * 4];
while (true) {
if (isCancelled()) {
break;
}
try {
int read = httpConnectionStream.read(data);
if (read > 0) {
fileOutputStream.write(data, 0, read);
} else if (read == -1) {
done = true;
break;
} else {
break;
}
} catch (Exception e) {
FileLog.e("tmessages", e);
break; break;
} }
} catch (Exception e) {
FileLog.e("tmessages", e);
break;
} }
} catch (Throwable e) {
FileLog.e("tmessages", e);
}
}
try {
if (fileOutputStream != null) {
fileOutputStream.close();
fileOutputStream = null;
} }
} catch (Throwable e) { } catch (Throwable e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
}
try { try {
if (fileOutputStream != null) { if (httpConnectionStream != null) {
fileOutputStream.close(); httpConnectionStream.close();
fileOutputStream = null; }
} catch (Throwable e) {
FileLog.e("tmessages", e);
} }
} catch (Throwable e) {
FileLog.e("tmessages", e);
}
try {
if (httpConnectionStream != null) {
httpConnectionStream.close();
}
} catch (Throwable e) {
FileLog.e("tmessages", e);
} }
return done; return done;
@ -537,7 +543,7 @@ public class ImageLoader {
boolean canDeleteFile = true; boolean canDeleteFile = true;
boolean useNativeWebpLoaded = false; boolean useNativeWebpLoaded = false;
if (Build.VERSION.SDK_INT < 18) { if (Build.VERSION.SDK_INT < 19) {
RandomAccessFile randomAccessFile = null; RandomAccessFile randomAccessFile = null;
try { try {
randomAccessFile = new RandomAccessFile(cacheFileFinal, "r"); randomAccessFile = new RandomAccessFile(cacheFileFinal, "r");
@ -1892,13 +1898,6 @@ public class ImageLoader {
BitmapFactory.decodeFileDescriptor(fileDescriptor, null, bmOptions); BitmapFactory.decodeFileDescriptor(fileDescriptor, null, bmOptions);
} catch (Throwable e) { } catch (Throwable e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
try {
if (parcelFD != null) {
parcelFD.close();
}
} catch (Throwable e2) {
FileLog.e("tmessages", e2);
}
return null; return null;
} }
} }

View File

@ -807,7 +807,7 @@ public class LocaleController {
return getString("Online", R.string.Online); return getString("Online", R.string.Online);
} }
} }
if (user == null || user.status == null || user.status.expires == 0 || user instanceof TLRPC.TL_userDeleted || user instanceof TLRPC.TL_userEmpty) { if (user == null || user.status == null || user.status.expires == 0 || UserObject.isDeleted(user) || user instanceof TLRPC.TL_userEmpty) {
return getString("ALongTimeAgo", R.string.ALongTimeAgo); return getString("ALongTimeAgo", R.string.ALongTimeAgo);
} else { } else {
int currentTime = ConnectionsManager.getInstance().getCurrentTime(); int currentTime = ConnectionsManager.getInstance().getCurrentTime();

View File

@ -41,6 +41,7 @@ import android.net.Uri;
import android.os.Build; import android.os.Build;
import android.os.Environment; import android.os.Environment;
import android.os.ParcelFileDescriptor; import android.os.ParcelFileDescriptor;
import android.os.PowerManager;
import android.os.Vibrator; import android.os.Vibrator;
import android.provider.MediaStore; import android.provider.MediaStore;
import android.view.View; import android.view.View;
@ -198,6 +199,7 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
private SensorManager sensorManager; private SensorManager sensorManager;
private Sensor proximitySensor; private Sensor proximitySensor;
private boolean ignoreProximity; private boolean ignoreProximity;
private PowerManager.WakeLock proximityWakeLock;
private ArrayList<MessageObject> videoConvertQueue = new ArrayList<>(); private ArrayList<MessageObject> videoConvertQueue = new ArrayList<>();
private final Object videoQueueSync = new Object(); private final Object videoQueueSync = new Object();
@ -220,6 +222,8 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
private boolean saveToGallery = true; private boolean saveToGallery = true;
public static AlbumEntry allPhotosAlbumEntry;
private HashMap<String, ArrayList<WeakReference<FileDownloadProgressListener>>> loadingFileObservers = new HashMap<>(); private HashMap<String, ArrayList<WeakReference<FileDownloadProgressListener>>> loadingFileObservers = new HashMap<>();
private HashMap<Integer, String> observersByTag = new HashMap<>(); private HashMap<Integer, String> observersByTag = new HashMap<>();
private boolean listenerInProgress = false; private boolean listenerInProgress = false;
@ -355,6 +359,40 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
} }
} }
/*private class GalleryObserverInternal extends ContentObserver {
public GalleryObserverInternal() {
super(null);
}
@Override
public void onChange(boolean selfChange) {
super.onChange(selfChange);
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
loadGalleryPhotosAlbums(0);
}
}, 2000);
}
}
private class GalleryObserverExternal extends ContentObserver {
public GalleryObserverExternal() {
super(null);
}
@Override
public void onChange(boolean selfChange) {
super.onChange(selfChange);
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
loadGalleryPhotosAlbums(0);
}
}, 2000);
}
}*/
private ExternalObserver externalObserver = null; private ExternalObserver externalObserver = null;
private InternalObserver internalObserver = null; private InternalObserver internalObserver = null;
private long lastSecretChatEnterTime = 0; private long lastSecretChatEnterTime = 0;
@ -428,6 +466,8 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
try { try {
sensorManager = (SensorManager) ApplicationLoader.applicationContext.getSystemService(Context.SENSOR_SERVICE); sensorManager = (SensorManager) ApplicationLoader.applicationContext.getSystemService(Context.SENSOR_SERVICE);
proximitySensor = sensorManager.getDefaultSensor(Sensor.TYPE_PROXIMITY); proximitySensor = sensorManager.getDefaultSensor(Sensor.TYPE_PROXIMITY);
PowerManager powerManager = (PowerManager) ApplicationLoader.applicationContext.getSystemService(Context.POWER_SERVICE);
proximityWakeLock = powerManager.newWakeLock(0x00000020, "proximity");
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -484,6 +524,17 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
MediaStore.Images.ImageColumns.TITLE MediaStore.Images.ImageColumns.TITLE
}; };
} }
/*try {
ApplicationLoader.applicationContext.getContentResolver().registerContentObserver(MediaStore.Images.Media.EXTERNAL_CONTENT_URI, false, new GalleryObserverExternal());
} catch (Exception e) {
FileLog.e("tmessages", e);
}
try {
ApplicationLoader.applicationContext.getContentResolver().registerContentObserver(MediaStore.Images.Media.INTERNAL_CONTENT_URI, false, new GalleryObserverInternal());
} catch (Exception e) {
FileLog.e("tmessages", e);
}*/
} }
private void startProgressTimer() { private void startProgressTimer() {
@ -1191,7 +1242,10 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
if (sensorManager != null && proximitySensor != null) { if (sensorManager != null && proximitySensor != null) {
sensorManager.unregisterListener(this); sensorManager.unregisterListener(this);
} }
} catch (Exception e) { if (proximityWakeLock != null && proximityWakeLock.isHeld()) {
proximityWakeLock.release();
}
} catch (Throwable e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} }
@ -1204,6 +1258,9 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
if (sensorManager != null && proximitySensor != null) { if (sensorManager != null && proximitySensor != null) {
sensorManager.registerListener(this, proximitySensor, SensorManager.SENSOR_DELAY_NORMAL); sensorManager.registerListener(this, proximitySensor, SensorManager.SENSOR_DELAY_NORMAL);
} }
if (!NotificationsController.getInstance().audioManager.isWiredHeadsetOn() && proximityWakeLock != null && !proximityWakeLock.isHeld()) {
proximityWakeLock.acquire();
}
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -1319,7 +1376,14 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
} }
NotificationCenter.getInstance().postNotificationName(NotificationCenter.audioDidStarted, messageObject); NotificationCenter.getInstance().postNotificationName(NotificationCenter.audioDidStarted, messageObject);
clenupPlayer(true); clenupPlayer(true);
final File cacheFile = FileLoader.getPathToMessage(messageObject.messageOwner); File file = null;
if (messageObject.messageOwner.attachPath != null && messageObject.messageOwner.attachPath.length() > 0) {
file = new File(messageObject.messageOwner.attachPath);
if (!file.exists()) {
file = null;
}
}
final File cacheFile = file != null ? file : FileLoader.getPathToMessage(messageObject.messageOwner);
if (isOpusFile(cacheFile.getAbsolutePath()) == 1) { if (isOpusFile(cacheFile.getAbsolutePath()) == 1) {
synchronized (playerObjectSync) { synchronized (playerObjectSync) {
@ -2094,7 +2158,7 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
try { try {
albums.clear(); albums.clear();
allPhotosAlbum = null; AlbumEntry allVideosAlbum = null;
cursor = MediaStore.Images.Media.query(ApplicationLoader.applicationContext.getContentResolver(), MediaStore.Video.Media.EXTERNAL_CONTENT_URI, projectionVideo, "", null, MediaStore.Video.Media.DATE_TAKEN + " DESC"); cursor = MediaStore.Images.Media.query(ApplicationLoader.applicationContext.getContentResolver(), MediaStore.Video.Media.EXTERNAL_CONTENT_URI, projectionVideo, "", null, MediaStore.Video.Media.DATE_TAKEN + " DESC");
if (cursor != null) { if (cursor != null) {
int imageIdColumn = cursor.getColumnIndex(MediaStore.Video.Media._ID); int imageIdColumn = cursor.getColumnIndex(MediaStore.Video.Media._ID);
@ -2116,12 +2180,12 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
PhotoEntry photoEntry = new PhotoEntry(bucketId, imageId, dateTaken, path, 0, true); PhotoEntry photoEntry = new PhotoEntry(bucketId, imageId, dateTaken, path, 0, true);
if (allPhotosAlbum == null) { if (allVideosAlbum == null) {
allPhotosAlbum = new AlbumEntry(0, LocaleController.getString("AllVideo", R.string.AllVideo), photoEntry, true); allVideosAlbum = new AlbumEntry(0, LocaleController.getString("AllVideo", R.string.AllVideo), photoEntry, true);
videoAlbumsSorted.add(0, allPhotosAlbum); videoAlbumsSorted.add(0, allVideosAlbum);
} }
if (allPhotosAlbum != null) { if (allVideosAlbum != null) {
allPhotosAlbum.addPhoto(photoEntry); allVideosAlbum.addPhoto(photoEntry);
} }
AlbumEntry albumEntry = albums.get(bucketId); AlbumEntry albumEntry = albums.get(bucketId);
@ -2153,9 +2217,11 @@ public class MediaController implements NotificationCenter.NotificationCenterDel
final Integer cameraAlbumIdFinal = cameraAlbumId; final Integer cameraAlbumIdFinal = cameraAlbumId;
final Integer cameraAlbumVideoIdFinal = cameraAlbumVideoId; final Integer cameraAlbumVideoIdFinal = cameraAlbumVideoId;
final AlbumEntry allPhotosAlbumFinal = allPhotosAlbum;
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
allPhotosAlbumEntry = allPhotosAlbumFinal;
NotificationCenter.getInstance().postNotificationName(NotificationCenter.albumsDidLoaded, guid, albumsSorted, cameraAlbumIdFinal, videoAlbumsSorted, cameraAlbumVideoIdFinal); NotificationCenter.getInstance().postNotificationName(NotificationCenter.albumsDidLoaded, guid, albumsSorted, cameraAlbumIdFinal, videoAlbumsSorted, cameraAlbumVideoIdFinal);
} }
}); });

View File

@ -61,6 +61,8 @@ public class MessageObject {
public int textHeight; public int textHeight;
public int blockHeight = Integer.MAX_VALUE; public int blockHeight = Integer.MAX_VALUE;
public static Pattern urlPattern;
public static class TextLayoutBlock { public static class TextLayoutBlock {
public StaticLayout textLayout; public StaticLayout textLayout;
public float textXOffset = 0; public float textXOffset = 0;
@ -212,7 +214,7 @@ public class MessageObject {
messageText = LocaleController.formatString("MessageLifetimeChangedOutgoing", R.string.MessageLifetimeChangedOutgoing, AndroidUtilities.formatTTLString(message.action.ttl)); messageText = LocaleController.formatString("MessageLifetimeChangedOutgoing", R.string.MessageLifetimeChangedOutgoing, AndroidUtilities.formatTTLString(message.action.ttl));
} else { } else {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, fromUser.first_name, AndroidUtilities.formatTTLString(message.action.ttl)); messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, UserObject.getFirstName(fromUser), AndroidUtilities.formatTTLString(message.action.ttl));
} else { } else {
messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, "", AndroidUtilities.formatTTLString(message.action.ttl)); messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, "", AndroidUtilities.formatTTLString(message.action.ttl));
} }
@ -222,7 +224,7 @@ public class MessageObject {
messageText = LocaleController.getString("MessageLifetimeYouRemoved", R.string.MessageLifetimeYouRemoved); messageText = LocaleController.getString("MessageLifetimeYouRemoved", R.string.MessageLifetimeYouRemoved);
} else { } else {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, fromUser.first_name); messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, UserObject.getFirstName(fromUser));
} else { } else {
messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, ""); messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, "");
} }
@ -239,20 +241,17 @@ public class MessageObject {
to_user = MessagesController.getInstance().getUser(messageOwner.to_id.user_id); to_user = MessagesController.getInstance().getUser(messageOwner.to_id.user_id);
} }
} }
String name = ""; String name = to_user != null ? UserObject.getFirstName(to_user) : "";
if (to_user != null) {
name = to_user.first_name;
}
messageText = LocaleController.formatString("NotificationUnrecognizedDevice", R.string.NotificationUnrecognizedDevice, name, date, message.action.title, message.action.address); messageText = LocaleController.formatString("NotificationUnrecognizedDevice", R.string.NotificationUnrecognizedDevice, name, date, message.action.title, message.action.address);
} else if (message.action instanceof TLRPC.TL_messageActionUserJoined) { } else if (message.action instanceof TLRPC.TL_messageActionUserJoined) {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, ContactsController.formatName(fromUser.first_name, fromUser.last_name)); messageText = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, UserObject.getUserName(fromUser));
} else { } else {
messageText = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, ""); messageText = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, "");
} }
} else if (message.action instanceof TLRPC.TL_messageActionUserUpdatedPhoto) { } else if (message.action instanceof TLRPC.TL_messageActionUserUpdatedPhoto) {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, ContactsController.formatName(fromUser.first_name, fromUser.last_name)); messageText = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, UserObject.getUserName(fromUser));
} else { } else {
messageText = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, ""); messageText = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, "");
} }
@ -274,7 +273,7 @@ public class MessageObject {
messageText = LocaleController.formatString("MessageLifetimeChangedOutgoing", R.string.MessageLifetimeChangedOutgoing, AndroidUtilities.formatTTLString(action.ttl_seconds)); messageText = LocaleController.formatString("MessageLifetimeChangedOutgoing", R.string.MessageLifetimeChangedOutgoing, AndroidUtilities.formatTTLString(action.ttl_seconds));
} else { } else {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, fromUser.first_name, AndroidUtilities.formatTTLString(action.ttl_seconds)); messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, UserObject.getFirstName(fromUser), AndroidUtilities.formatTTLString(action.ttl_seconds));
} else { } else {
messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, "", AndroidUtilities.formatTTLString(action.ttl_seconds)); messageText = LocaleController.formatString("MessageLifetimeChanged", R.string.MessageLifetimeChanged, "", AndroidUtilities.formatTTLString(action.ttl_seconds));
} }
@ -284,7 +283,7 @@ public class MessageObject {
messageText = LocaleController.getString("MessageLifetimeYouRemoved", R.string.MessageLifetimeYouRemoved); messageText = LocaleController.getString("MessageLifetimeYouRemoved", R.string.MessageLifetimeYouRemoved);
} else { } else {
if (fromUser != null) { if (fromUser != null) {
messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, fromUser.first_name); messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, UserObject.getFirstName(fromUser));
} else { } else {
messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, ""); messageText = LocaleController.formatString("MessageLifetimeRemoved", R.string.MessageLifetimeRemoved, "");
} }
@ -484,7 +483,7 @@ public class MessageObject {
} }
public CharSequence replaceWithLink(CharSequence source, String param, TLRPC.User user) { public CharSequence replaceWithLink(CharSequence source, String param, TLRPC.User user) {
String name = ContactsController.formatName(user.first_name, user.last_name); String name = UserObject.getUserName(user);
int start = TextUtils.indexOf(source, param); int start = TextUtils.indexOf(source, param);
URLSpanNoUnderlineBold span = new URLSpanNoUnderlineBold("" + user.id); URLSpanNoUnderlineBold span = new URLSpanNoUnderlineBold("" + user.id);
SpannableStringBuilder builder = new SpannableStringBuilder(TextUtils.replace(source, new String[]{param}, new String[]{name})); SpannableStringBuilder builder = new SpannableStringBuilder(TextUtils.replace(source, new String[]{param}, new String[]{name}));
@ -524,8 +523,8 @@ public class MessageObject {
return FileLoader.MEDIA_DIR_CACHE; return FileLoader.MEDIA_DIR_CACHE;
} }
private boolean containsUrls(CharSequence message) { private static boolean containsUrls(CharSequence message) {
if (message == null || message.length() < 3 || message.length() > 1024 * 20) { if (message == null || message.length() < 2 || message.length() > 1024 * 20) {
return false; return false;
} }
@ -550,7 +549,7 @@ public class MessageObject {
} else if (!(c != ' ' && digitsInRow > 0)) { } else if (!(c != ' ' && digitsInRow > 0)) {
digitsInRow = 0; digitsInRow = 0;
} }
if ((c == '@' || c == '#') && i == 0 || i != 0 && (message.charAt(i - 1) == ' ' || message.charAt(i - 1) == '\n')) { if ((c == '@' || c == '#' || c == '/') && i == 0 || i != 0 && (message.charAt(i - 1) == ' ' || message.charAt(i - 1) == '\n')) {
return true; return true;
} }
if (c == ':') { if (c == ':') {
@ -613,14 +612,16 @@ public class MessageObject {
} }
} }
private void addUsernamesAndHashtags(CharSequence charSequence) { private static void addUsernamesAndHashtags(CharSequence charSequence) {
try { try {
Pattern pattern = Pattern.compile("(^|\\s)@[a-zA-Z\\d_]{5,32}|(^|\\s)#[\\w\\.]+"); if (urlPattern == null) {
Matcher matcher = pattern.matcher(charSequence); urlPattern = Pattern.compile("(^|\\s)/[a-zA-Z@\\d_]{1,255}|(^|\\s)@[a-zA-Z\\d_]{5,32}|(^|\\s)#[\\w\\.]+");
}
Matcher matcher = urlPattern.matcher(charSequence);
while (matcher.find()) { while (matcher.find()) {
int start = matcher.start(); int start = matcher.start();
int end = matcher.end(); int end = matcher.end();
if (charSequence.charAt(start) != '@' && charSequence.charAt(start) != '#') { if (charSequence.charAt(start) != '@' && charSequence.charAt(start) != '#' && charSequence.charAt(start) != '/') {
start++; start++;
} }
URLSpanNoUnderline url = new URLSpanNoUnderline(charSequence.subSequence(start, end).toString()); URLSpanNoUnderline url = new URLSpanNoUnderline(charSequence.subSequence(start, end).toString());
@ -631,14 +632,7 @@ public class MessageObject {
} }
} }
private void generateLayout() { public static void addLinks(CharSequence messageText) {
if (type != 0 || messageOwner.to_id == null || messageText == null || messageText.length() == 0) {
return;
}
generateLinkDescription();
textLayoutBlocks = new ArrayList<>();
if (messageText instanceof Spannable && containsUrls(messageText)) { if (messageText instanceof Spannable && containsUrls(messageText)) {
if (messageText.length() < 100) { if (messageText.length() < 100) {
try { try {
@ -655,6 +649,17 @@ public class MessageObject {
} }
addUsernamesAndHashtags(messageText); addUsernamesAndHashtags(messageText);
} }
}
private void generateLayout() {
if (type != 0 || messageOwner.to_id == null || messageText == null || messageText.length() == 0) {
return;
}
generateLinkDescription();
textLayoutBlocks = new ArrayList<>();
addLinks(messageText);
int maxWidth; int maxWidth;
if (AndroidUtilities.isTablet()) { if (AndroidUtilities.isTablet()) {
@ -903,7 +908,7 @@ public class MessageObject {
} }
public boolean isSendError() { public boolean isSendError() {
return messageOwner.send_state == MESSAGE_SEND_STATE_SEND_ERROR; return messageOwner.send_state == MESSAGE_SEND_STATE_SEND_ERROR && messageOwner.id < 0;
} }
public boolean isSent() { public boolean isSent() {

View File

@ -18,7 +18,10 @@ import android.os.Build;
import android.os.Bundle; import android.os.Bundle;
import android.util.Base64; import android.util.Base64;
import android.util.SparseArray; import android.util.SparseArray;
import android.widget.Toast;
import org.telegram.android.query.BotQuery;
import org.telegram.android.query.StickersQuery;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.FileLoader; import org.telegram.messenger.FileLoader;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
@ -52,6 +55,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
public ArrayList<TLRPC.TL_dialog> dialogs = new ArrayList<>(); public ArrayList<TLRPC.TL_dialog> dialogs = new ArrayList<>();
public ArrayList<TLRPC.TL_dialog> dialogsServerOnly = new ArrayList<>(); public ArrayList<TLRPC.TL_dialog> dialogsServerOnly = new ArrayList<>();
public ArrayList<TLRPC.TL_dialog> dialogsGroupsOnly = new ArrayList<>();
public ConcurrentHashMap<Long, TLRPC.TL_dialog> dialogs_dict = new ConcurrentHashMap<>(100, 1.0f, 2); public ConcurrentHashMap<Long, TLRPC.TL_dialog> dialogs_dict = new ConcurrentHashMap<>(100, 1.0f, 2);
public HashMap<Integer, MessageObject> dialogMessage = new HashMap<>(); public HashMap<Integer, MessageObject> dialogMessage = new HashMap<>();
public ConcurrentHashMap<Long, ArrayList<PrintingUser>> printingUsers = new ConcurrentHashMap<>(20, 1.0f, 2); public ConcurrentHashMap<Long, ArrayList<PrintingUser>> printingUsers = new ConcurrentHashMap<>(20, 1.0f, 2);
@ -238,7 +242,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
} }
public void addSupportUser() { public void addSupportUser() {
TLRPC.TL_userForeign user = new TLRPC.TL_userForeign(); TLRPC.TL_userForeign_old2 user = new TLRPC.TL_userForeign_old2();
user.phone = "333"; user.phone = "333";
user.id = 333000; user.id = 333000;
user.first_name = "Telegram"; user.first_name = "Telegram";
@ -247,7 +251,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
user.photo = new TLRPC.TL_userProfilePhotoEmpty(); user.photo = new TLRPC.TL_userProfilePhotoEmpty();
putUser(user, true); putUser(user, true);
user = new TLRPC.TL_userForeign(); user = new TLRPC.TL_userForeign_old2();
user.phone = "42777"; user.phone = "42777";
user.id = 777000; user.id = 777000;
user.first_name = "Telegram"; user.first_name = "Telegram";
@ -264,7 +268,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
TLRPC.InputUser inputUser; TLRPC.InputUser inputUser;
if (user.id == UserConfig.getClientUserId()) { if (user.id == UserConfig.getClientUserId()) {
inputUser = new TLRPC.TL_inputUserSelf(); inputUser = new TLRPC.TL_inputUserSelf();
} else if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { } else if (user.access_hash != 0) {
inputUser = new TLRPC.TL_inputUserForeign(); inputUser = new TLRPC.TL_inputUserForeign();
inputUser.user_id = user.id; inputUser.user_id = user.id;
inputUser.access_hash = user.access_hash; inputUser.access_hash = user.access_hash;
@ -372,11 +376,13 @@ public class MessagesController implements NotificationCenter.NotificationCenter
NotificationsController.getInstance().cleanup(); NotificationsController.getInstance().cleanup();
SendMessagesHelper.getInstance().cleanUp(); SendMessagesHelper.getInstance().cleanUp();
SecretChatHelper.getInstance().cleanUp(); SecretChatHelper.getInstance().cleanUp();
StickersQuery.cleanup();
dialogs_dict.clear(); dialogs_dict.clear();
exportedChats.clear(); exportedChats.clear();
dialogs.clear(); dialogs.clear();
dialogsServerOnly.clear(); dialogsServerOnly.clear();
dialogsGroupsOnly.clear();
users.clear(); users.clear();
usersByUsernames.clear(); usersByUsernames.clear();
chats.clear(); chats.clear();
@ -595,6 +601,10 @@ public class MessagesController implements NotificationCenter.NotificationCenter
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
for (int a = 0; a < res.full_chat.bot_info.size(); a++) {
TLRPC.BotInfo botInfo = res.full_chat.bot_info.get(a);
BotQuery.putBotInfo(botInfo);
}
exportedChats.put(chat_id, res.full_chat.exported_invite); exportedChats.put(chat_id, res.full_chat.exported_invite);
loadingFullChats.remove((Integer) chat_id); loadingFullChats.remove((Integer) chat_id);
loadedFullChats.add(chat_id); loadedFullChats.add(chat_id);
@ -633,10 +643,13 @@ public class MessagesController implements NotificationCenter.NotificationCenter
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
TLRPC.TL_userFull userFull = (TLRPC.TL_userFull) response;
if (userFull.bot_info instanceof TLRPC.TL_botInfo) {
BotQuery.putBotInfo(userFull.bot_info);
}
loadingFullUsers.remove((Integer) user.id); loadingFullUsers.remove((Integer) user.id);
loadedFullUsers.add(user.id); loadedFullUsers.add(user.id);
String names = user.first_name + user.last_name + user.username; String names = user.first_name + user.last_name + user.username;
TLRPC.TL_userFull userFull = (TLRPC.TL_userFull) response;
ArrayList<TLRPC.User> users = new ArrayList<>(); ArrayList<TLRPC.User> users = new ArrayList<>();
users.add(userFull.user); users.add(userFull.user);
putUsers(users, false); putUsers(users, false);
@ -644,6 +657,9 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (!names.equals(userFull.user.first_name + userFull.user.last_name + userFull.user.username)) { if (!names.equals(userFull.user.first_name + userFull.user.last_name + userFull.user.username)) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.updateInterfaces, UPDATE_MASK_NAME); NotificationCenter.getInstance().postNotificationName(NotificationCenter.updateInterfaces, UPDATE_MASK_NAME);
} }
if (userFull.bot_info instanceof TLRPC.TL_botInfo) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botInfoDidLoaded, userFull.bot_info, classGuid);
}
} }
}); });
} else { } else {
@ -1083,6 +1099,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (!onlyHistory) { if (!onlyHistory) {
dialogs.remove(dialog); dialogs.remove(dialog);
dialogsServerOnly.remove(dialog); dialogsServerOnly.remove(dialog);
dialogsGroupsOnly.remove(dialog);
dialogs_dict.remove(did); dialogs_dict.remove(did);
totalDialogsCount--; totalDialogsCount--;
} else { } else {
@ -1118,12 +1135,15 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (lower_part != 0) { if (lower_part != 0) {
TLRPC.TL_messages_deleteHistory req = new TLRPC.TL_messages_deleteHistory(); TLRPC.TL_messages_deleteHistory req = new TLRPC.TL_messages_deleteHistory();
req.offset = offset; req.offset = offset;
if (did < 0) { if (lower_part < 0) {
req.peer = new TLRPC.TL_inputPeerChat(); req.peer = new TLRPC.TL_inputPeerChat();
req.peer.chat_id = -lower_part; req.peer.chat_id = -lower_part;
} else { } else {
TLRPC.User user = getUser(lower_part); TLRPC.User user = getUser(lower_part);
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user == null) {
return;
}
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
} else { } else {
@ -1424,18 +1444,17 @@ public class MessagesController implements NotificationCenter.NotificationCenter
req.peer.chat_id = -lower_part; req.peer.chat_id = -lower_part;
} else { } else {
TLRPC.User user = getUser(lower_part); TLRPC.User user = getUser(lower_part);
if (user != null) { if (user == null) {
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) {
req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.user_id = user.id;
req.peer.access_hash = user.access_hash;
} else {
req.peer = new TLRPC.TL_inputPeerContact();
req.peer.user_id = user.id;
}
} else {
return; return;
} }
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.user_id = user.id;
req.peer.access_hash = user.access_hash;
} else {
req.peer = new TLRPC.TL_inputPeerContact();
req.peer.user_id = user.id;
}
} }
if (action == 0) { if (action == 0) {
req.action = new TLRPC.TL_sendMessageTypingAction(); req.action = new TLRPC.TL_sendMessageTypingAction();
@ -1515,7 +1534,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (user == null) { if (user == null) {
return; return;
} }
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.user_id = user.id; req.peer.user_id = user.id;
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
@ -1556,9 +1575,6 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (!isCache) { if (!isCache) {
ImageLoader.saveMessagesThumbs(messagesRes.messages); ImageLoader.saveMessagesThumbs(messagesRes.messages);
} }
if (!isCache && allowCache) {
MessagesStorage.getInstance().putMessages(messagesRes, dialog_id);
}
if (high_id != 1 && lower_id != 0 && isCache && messagesRes.messages.size() == 0 && (load_type == 0 || load_type == 2 || load_type == 3)) { if (high_id != 1 && lower_id != 0 && isCache && messagesRes.messages.size() == 0 && (load_type == 0 || load_type == 2 || load_type == 3)) {
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
@ -1568,15 +1584,27 @@ public class MessagesController implements NotificationCenter.NotificationCenter
}); });
return; return;
} }
final HashMap<Integer, TLRPC.User> usersLocal = new HashMap<>(); final HashMap<Integer, TLRPC.User> usersDict = new HashMap<>();
for (TLRPC.User u : messagesRes.users) { for (TLRPC.User u : messagesRes.users) {
usersLocal.put(u.id, u); usersDict.put(u.id, u);
}
if (!isCache && allowCache) {
for (int a = 0; a < messagesRes.messages.size(); a++) {
TLRPC.Message message = messagesRes.messages.get(a);
if (message.action instanceof TLRPC.TL_messageActionChatDeleteUser) {
TLRPC.User user = usersDict.get(message.action.user_id);
if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0) {
message.reply_markup = new TLRPC.TL_replyKeyboardHide();
}
}
}
MessagesStorage.getInstance().putMessages(messagesRes, dialog_id);
} }
final ArrayList<MessageObject> objects = new ArrayList<>(); final ArrayList<MessageObject> objects = new ArrayList<>();
ArrayList<Integer> messagesToReload = null; ArrayList<Integer> messagesToReload = null;
for (TLRPC.Message message : messagesRes.messages) { for (TLRPC.Message message : messagesRes.messages) {
message.dialog_id = dialog_id; message.dialog_id = dialog_id;
objects.add(new MessageObject(message, usersLocal, true)); objects.add(new MessageObject(message, usersDict, true));
if (isCache) { if (isCache) {
if (message.media instanceof TLRPC.TL_messageMediaUnsupported) { if (message.media instanceof TLRPC.TL_messageMediaUnsupported) {
if (message.media.bytes.length == 0 || message.media.bytes.length == 1 && message.media.bytes[0] < TLRPC.LAYER) { if (message.media.bytes.length == 0 || message.media.bytes.length == 1 && message.media.bytes[0] < TLRPC.LAYER) {
@ -1750,6 +1778,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
dialogs.clear(); dialogs.clear();
dialogsServerOnly.clear(); dialogsServerOnly.clear();
dialogsGroupsOnly.clear();
dialogs.addAll(dialogs_dict.values()); dialogs.addAll(dialogs_dict.values());
Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() { Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() {
@Override @Override
@ -1767,6 +1796,9 @@ public class MessagesController implements NotificationCenter.NotificationCenter
int high_id = (int) (d.id >> 32); int high_id = (int) (d.id >> 32);
if ((int) d.id != 0 && high_id != 1) { if ((int) d.id != 0 && high_id != 1) {
dialogsServerOnly.add(d); dialogsServerOnly.add(d);
if (d.id < 0) {
dialogsGroupsOnly.add(d);
}
} }
} }
NotificationCenter.getInstance().postNotificationName(NotificationCenter.dialogsNeedReload); NotificationCenter.getInstance().postNotificationName(NotificationCenter.dialogsNeedReload);
@ -1798,11 +1830,26 @@ public class MessagesController implements NotificationCenter.NotificationCenter
} }
final HashMap<Long, TLRPC.TL_dialog> new_dialogs_dict = new HashMap<>(); final HashMap<Long, TLRPC.TL_dialog> new_dialogs_dict = new HashMap<>();
final HashMap<Integer, MessageObject> new_dialogMessage = new HashMap<>(); final HashMap<Integer, MessageObject> new_dialogMessage = new HashMap<>();
final HashMap<Integer, TLRPC.User> usersLocal = new HashMap<>(); final HashMap<Integer, TLRPC.User> usersDict = new HashMap<>();
int new_totalDialogsCount; int new_totalDialogsCount;
for (TLRPC.User u : dialogsRes.users) {
usersDict.put(u.id, u);
}
if (!isCache) { if (!isCache) {
ImageLoader.saveMessagesThumbs(dialogsRes.messages); ImageLoader.saveMessagesThumbs(dialogsRes.messages);
for (int a = 0; a < dialogsRes.messages.size(); a++) {
TLRPC.Message message = dialogsRes.messages.get(a);
if (message.action instanceof TLRPC.TL_messageActionChatDeleteUser) {
TLRPC.User user = usersDict.get(message.action.user_id);
if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0) {
message.reply_markup = new TLRPC.TL_replyKeyboardHide();
}
}
}
MessagesStorage.getInstance().putDialogs(dialogsRes); MessagesStorage.getInstance().putDialogs(dialogsRes);
} }
@ -1813,12 +1860,8 @@ public class MessagesController implements NotificationCenter.NotificationCenter
new_totalDialogsCount = dialogsRes.dialogs.size(); new_totalDialogsCount = dialogsRes.dialogs.size();
} }
for (TLRPC.User u : dialogsRes.users) {
usersLocal.put(u.id, u);
}
for (TLRPC.Message m : dialogsRes.messages) { for (TLRPC.Message m : dialogsRes.messages) {
new_dialogMessage.put(m.id, new MessageObject(m, usersLocal, false)); new_dialogMessage.put(m.id, new MessageObject(m, usersDict, false));
} }
for (TLRPC.TL_dialog d : dialogsRes.dialogs) { for (TLRPC.TL_dialog d : dialogsRes.dialogs) {
if (d.last_message_date == 0) { if (d.last_message_date == 0) {
@ -1887,6 +1930,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
dialogs.clear(); dialogs.clear();
dialogsServerOnly.clear(); dialogsServerOnly.clear();
dialogsGroupsOnly.clear();
dialogs.addAll(dialogs_dict.values()); dialogs.addAll(dialogs_dict.values());
Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() { Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() {
@Override @Override
@ -1904,6 +1948,9 @@ public class MessagesController implements NotificationCenter.NotificationCenter
int high_id = (int) (d.id >> 32); int high_id = (int) (d.id >> 32);
if ((int) d.id != 0 && high_id != 1) { if ((int) d.id != 0 && high_id != 1) {
dialogsServerOnly.add(d); dialogsServerOnly.add(d);
if (d.id < 0) {
dialogsGroupsOnly.add(d);
}
} }
} }
@ -1969,7 +2016,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (user == null) { if (user == null) {
return; return;
} }
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.user_id = user.id; req.peer.user_id = user.id;
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
@ -2165,18 +2212,47 @@ public class MessagesController implements NotificationCenter.NotificationCenter
} }
} }
public void addUserToChat(int chat_id, final TLRPC.User user, final TLRPC.ChatParticipants info, int count_fwd) { public void sendBotStart(final TLRPC.User user, String botHash) {
TLRPC.TL_messages_startBot req = new TLRPC.TL_messages_startBot();
req.bot = getInputUser(user);
req.chat_id = 0;
req.start_param = botHash;
req.random_id = Utilities.random.nextLong();
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
@Override
public void run(TLObject response, TLRPC.TL_error error) {
if (error != null) {
return;
}
processUpdates((TLRPC.Updates) response, false);
}
});
}
public void addUserToChat(int chat_id, final TLRPC.User user, final TLRPC.ChatParticipants info, int count_fwd, String botHash) {
if (user == null) { if (user == null) {
return; return;
} }
if (chat_id > 0) { if (chat_id > 0) {
TLRPC.TL_messages_addChatUser req = new TLRPC.TL_messages_addChatUser(); TLObject request;
req.chat_id = chat_id;
req.fwd_limit = count_fwd;
req.user_id = getInputUser(user);
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() { if (botHash == null) {
TLRPC.TL_messages_addChatUser req = new TLRPC.TL_messages_addChatUser();
req.chat_id = chat_id;
req.fwd_limit = count_fwd;
req.user_id = getInputUser(user);
request = req;
} else {
TLRPC.TL_messages_startBot req = new TLRPC.TL_messages_startBot();
req.bot = getInputUser(user);
req.chat_id = chat_id;
req.start_param = botHash;
req.random_id = Utilities.random.nextLong();
request = req;
}
ConnectionsManager.getInstance().performRpc(request, new RPCRequest.RPCRequestDelegate() {
@Override @Override
public void run(TLObject response, TLRPC.TL_error error) { public void run(TLObject response, TLRPC.TL_error error) {
if (error != null) { if (error != null) {
@ -2711,7 +2787,16 @@ public class MessagesController implements NotificationCenter.NotificationCenter
ImageLoader.saveMessagesThumbs(res.new_messages); ImageLoader.saveMessagesThumbs(res.new_messages);
final ArrayList<MessageObject> pushMessages = new ArrayList<>(); final ArrayList<MessageObject> pushMessages = new ArrayList<>();
for (TLRPC.Message message : res.new_messages) { for (int a = 0; a < res.new_messages.size(); a++) {
TLRPC.Message message = res.new_messages.get(a);
if (message.action instanceof TLRPC.TL_messageActionChatDeleteUser) {
TLRPC.User user = usersDict.get(message.action.user_id);
if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0) {
message.reply_markup = new TLRPC.TL_replyKeyboardHide();
}
}
MessageObject obj = new MessageObject(message, usersDict, true); MessageObject obj = new MessageObject(message, usersDict, true);
if (!obj.isOut() && obj.isUnread()) { if (!obj.isOut() && obj.isUnread()) {
@ -3311,6 +3396,9 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (u.userId == update.user_id) { if (u.userId == update.user_id) {
exist = true; exist = true;
u.lastTime = currentTime; u.lastTime = currentTime;
if (u.action.getClass() != update.action.getClass()) {
printChanged = true;
}
u.action = update.action; u.action = update.action;
break; break;
} }
@ -3565,6 +3653,15 @@ public class MessagesController implements NotificationCenter.NotificationCenter
}); });
if (!messagesArr.isEmpty()) { if (!messagesArr.isEmpty()) {
for (int a = 0; a < messagesArr.size(); a++) {
TLRPC.Message message = messagesArr.get(a);
if (message.action instanceof TLRPC.TL_messageActionChatDeleteUser) {
TLRPC.User user = usersDict.get(message.action.user_id);
if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0) {
message.reply_markup = new TLRPC.TL_replyKeyboardHide();
}
}
}
MessagesStorage.getInstance().putMessages(messagesArr, true, true, false, MediaController.getInstance().getAutodownloadMask()); MessagesStorage.getInstance().putMessages(messagesArr, true, true, false, MediaController.getInstance().getAutodownloadMask());
} }
@ -3604,7 +3701,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
} }
} else if (update instanceof TLRPC.TL_updateUserName) { } else if (update instanceof TLRPC.TL_updateUserName) {
if (currentUser != null) { if (currentUser != null) {
if (!(currentUser instanceof TLRPC.TL_userContact)) { if (!UserObject.isContact(currentUser)) {
currentUser.first_name = update.first_name; currentUser.first_name = update.first_name;
currentUser.last_name = update.last_name; currentUser.last_name = update.last_name;
} }
@ -3812,8 +3909,6 @@ public class MessagesController implements NotificationCenter.NotificationCenter
} }
if (!deletedMessages.isEmpty()) { if (!deletedMessages.isEmpty()) {
MessagesStorage.getInstance().markMessagesAsDeleted(deletedMessages, true); MessagesStorage.getInstance().markMessagesAsDeleted(deletedMessages, true);
}
if (!deletedMessages.isEmpty()) {
MessagesStorage.getInstance().updateDialogsWithDeletedMessages(deletedMessages, true); MessagesStorage.getInstance().updateDialogsWithDeletedMessages(deletedMessages, true);
} }
if (!tasks.isEmpty()) { if (!tasks.isEmpty()) {
@ -3948,6 +4043,7 @@ public class MessagesController implements NotificationCenter.NotificationCenter
if (changed) { if (changed) {
dialogsServerOnly.clear(); dialogsServerOnly.clear();
dialogsGroupsOnly.clear();
Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() { Collections.sort(dialogs, new Comparator<TLRPC.TL_dialog>() {
@Override @Override
public int compare(TLRPC.TL_dialog tl_dialog, TLRPC.TL_dialog tl_dialog2) { public int compare(TLRPC.TL_dialog tl_dialog, TLRPC.TL_dialog tl_dialog2) {
@ -3964,6 +4060,9 @@ public class MessagesController implements NotificationCenter.NotificationCenter
int high_id = (int) (d.id >> 32); int high_id = (int) (d.id >> 32);
if ((int) d.id != 0 && high_id != 1) { if ((int) d.id != 0 && high_id != 1) {
dialogsServerOnly.add(d); dialogsServerOnly.add(d);
if (d.id < 0) {
dialogsGroupsOnly.add(d);
}
} }
} }
} }
@ -4022,6 +4121,14 @@ public class MessagesController implements NotificationCenter.NotificationCenter
fragment.presentFragment(new ChatActivity(args)); fragment.presentFragment(new ChatActivity(args));
} }
} }
} else {
if (fragment != null && fragment.getParentActivity() != null) {
try {
Toast.makeText(fragment.getParentActivity(), LocaleController.getString("NoUsernameFound", R.string.NoUsernameFound), Toast.LENGTH_SHORT).show();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
} }
} }
}); });

View File

@ -17,6 +17,7 @@ import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.SQLite.SQLiteCursor; import org.telegram.SQLite.SQLiteCursor;
import org.telegram.SQLite.SQLiteDatabase; import org.telegram.SQLite.SQLiteDatabase;
import org.telegram.SQLite.SQLitePreparedStatement; import org.telegram.SQLite.SQLitePreparedStatement;
import org.telegram.android.query.BotQuery;
import org.telegram.android.query.SharedMediaQuery; import org.telegram.android.query.SharedMediaQuery;
import org.telegram.messenger.BuffersStorage; import org.telegram.messenger.BuffersStorage;
import org.telegram.messenger.ByteBufferDesc; import org.telegram.messenger.ByteBufferDesc;
@ -121,7 +122,7 @@ public class MessagesStorage {
database.executeFast("CREATE TABLE dialog_settings(did INTEGER PRIMARY KEY, flags INTEGER);").stepThis().dispose(); database.executeFast("CREATE TABLE dialog_settings(did INTEGER PRIMARY KEY, flags INTEGER);").stepThis().dispose();
database.executeFast("CREATE TABLE messages_seq(mid INTEGER PRIMARY KEY, seq_in INTEGER, seq_out INTEGER);").stepThis().dispose(); database.executeFast("CREATE TABLE messages_seq(mid INTEGER PRIMARY KEY, seq_in INTEGER, seq_out INTEGER);").stepThis().dispose();
database.executeFast("CREATE TABLE web_recent_v3(id TEXT, type INTEGER, image_url TEXT, thumb_url TEXT, local_url TEXT, width INTEGER, height INTEGER, size INTEGER, date INTEGER, PRIMARY KEY (id, type));").stepThis().dispose(); database.executeFast("CREATE TABLE web_recent_v3(id TEXT, type INTEGER, image_url TEXT, thumb_url TEXT, local_url TEXT, width INTEGER, height INTEGER, size INTEGER, date INTEGER, PRIMARY KEY (id, type));").stepThis().dispose();
database.executeFast("CREATE TABLE stickers(id INTEGER PRIMARY KEY, data BLOB, date INTEGER);").stepThis().dispose(); database.executeFast("CREATE TABLE stickers_v2(id INTEGER PRIMARY KEY, data BLOB, date INTEGER, hash TEXT);").stepThis().dispose();
database.executeFast("CREATE TABLE hashtag_recent_v2(id TEXT PRIMARY KEY, date INTEGER);").stepThis().dispose(); database.executeFast("CREATE TABLE hashtag_recent_v2(id TEXT PRIMARY KEY, date INTEGER);").stepThis().dispose();
database.executeFast("CREATE TABLE webpage_pending(id INTEGER, mid INTEGER, PRIMARY KEY (id, mid));").stepThis().dispose(); database.executeFast("CREATE TABLE webpage_pending(id INTEGER, mid INTEGER, PRIMARY KEY (id, mid));").stepThis().dispose();
@ -163,8 +164,13 @@ public class MessagesStorage {
//kev-value //kev-value
database.executeFast("CREATE TABLE keyvalue(id TEXT PRIMARY KEY, value TEXT)").stepThis().dispose(); database.executeFast("CREATE TABLE keyvalue(id TEXT PRIMARY KEY, value TEXT)").stepThis().dispose();
//bots
database.executeFast("CREATE TABLE bot_info(uid INTEGER PRIMARY KEY, info BLOB)").stepThis().dispose();
database.executeFast("CREATE TABLE bot_keyboard(uid INTEGER PRIMARY KEY, mid INTEGER, info BLOB)").stepThis().dispose();
database.executeFast("CREATE INDEX IF NOT EXISTS bot_keyboard_idx_mid ON bot_keyboard(mid);").stepThis().dispose();
//version //version
database.executeFast("PRAGMA user_version = 17").stepThis().dispose(); database.executeFast("PRAGMA user_version = 20").stepThis().dispose();
} else { } else {
try { try {
SQLiteCursor cursor = database.queryFinalized("SELECT seq, pts, date, qts, lsv, sg, pbytes FROM params WHERE id = 1"); SQLiteCursor cursor = database.queryFinalized("SELECT seq, pts, date, qts, lsv, sg, pbytes FROM params WHERE id = 1");
@ -195,7 +201,7 @@ public class MessagesStorage {
} }
} }
int version = database.executeInt("PRAGMA user_version"); int version = database.executeInt("PRAGMA user_version");
if (version < 17) { if (version < 20) {
updateDbToLastVersion(version); updateDbToLastVersion(version);
} }
} }
@ -349,8 +355,6 @@ public class MessagesStorage {
version = 11; version = 11;
} }
if (version == 11) { if (version == 11) {
database.executeFast("CREATE TABLE IF NOT EXISTS stickers(id INTEGER PRIMARY KEY, data BLOB, date INTEGER);").stepThis().dispose();
database.executeFast("PRAGMA user_version = 12").stepThis().dispose();
version = 12; version = 12;
} }
if (version == 12) { if (version == 12) {
@ -389,7 +393,24 @@ public class MessagesStorage {
database.executeFast("ALTER TABLE dialogs ADD COLUMN inbox_max INTEGER default 0").stepThis().dispose(); database.executeFast("ALTER TABLE dialogs ADD COLUMN inbox_max INTEGER default 0").stepThis().dispose();
database.executeFast("ALTER TABLE dialogs ADD COLUMN outbox_max INTEGER default 0").stepThis().dispose(); database.executeFast("ALTER TABLE dialogs ADD COLUMN outbox_max INTEGER default 0").stepThis().dispose();
database.executeFast("PRAGMA user_version = 17").stepThis().dispose(); database.executeFast("PRAGMA user_version = 17").stepThis().dispose();
//version = 17; version = 17;
}
if (version == 17) {
database.executeFast("CREATE TABLE bot_info(uid INTEGER PRIMARY KEY, info BLOB)").stepThis().dispose();
database.executeFast("PRAGMA user_version = 18").stepThis().dispose();
version = 18;
}
if (version == 18) {
database.executeFast("DROP TABLE IF EXISTS stickers;").stepThis().dispose();
database.executeFast("CREATE TABLE IF NOT EXISTS stickers_v2(id INTEGER PRIMARY KEY, data BLOB, date INTEGER, hash TEXT);").stepThis().dispose();
database.executeFast("PRAGMA user_version = 19").stepThis().dispose();
version = 19;
}
if (version == 19) {
database.executeFast("CREATE TABLE IF NOT EXISTS bot_keyboard(uid INTEGER PRIMARY KEY, mid INTEGER, info BLOB)").stepThis().dispose();
database.executeFast("CREATE INDEX IF NOT EXISTS bot_keyboard_idx_mid ON bot_keyboard(mid);").stepThis().dispose();
database.executeFast("PRAGMA user_version = 20").stepThis().dispose();
//version = 20;
} }
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
@ -934,8 +955,10 @@ public class MessagesStorage {
database.executeFast("UPDATE dialogs SET unread_count = 0 WHERE did = " + did).stepThis().dispose(); database.executeFast("UPDATE dialogs SET unread_count = 0 WHERE did = " + did).stepThis().dispose();
database.executeFast("DELETE FROM messages WHERE uid = " + did).stepThis().dispose(); database.executeFast("DELETE FROM messages WHERE uid = " + did).stepThis().dispose();
database.executeFast("DELETE FROM bot_keyboard WHERE uid = " + did).stepThis().dispose();
database.executeFast("DELETE FROM media_counts_v2 WHERE uid = " + did).stepThis().dispose(); database.executeFast("DELETE FROM media_counts_v2 WHERE uid = " + did).stepThis().dispose();
database.executeFast("DELETE FROM media_v2 WHERE uid = " + did).stepThis().dispose(); database.executeFast("DELETE FROM media_v2 WHERE uid = " + did).stepThis().dispose();
BotQuery.clearBotKeyboard(did, null);
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -2762,6 +2785,7 @@ public class MessagesStorage {
HashMap<Integer, Integer> mediaTypes = new HashMap<>(); HashMap<Integer, Integer> mediaTypes = new HashMap<>();
HashMap<Integer, Long> messagesIdsMap = new HashMap<>(); HashMap<Integer, Long> messagesIdsMap = new HashMap<>();
HashMap<Integer, Long> messagesMediaIdsMap = new HashMap<>(); HashMap<Integer, Long> messagesMediaIdsMap = new HashMap<>();
HashMap<Long, TLRPC.Message> botKeyboards = new HashMap<>();
StringBuilder messageIds = new StringBuilder(); StringBuilder messageIds = new StringBuilder();
StringBuilder messageMediaIds = new StringBuilder(); StringBuilder messageMediaIds = new StringBuilder();
SQLitePreparedStatement state = database.executeFast("REPLACE INTO messages VALUES(?, ?, ?, ?, ?, ?, ?, ?, ?, NULL)"); SQLitePreparedStatement state = database.executeFast("REPLACE INTO messages VALUES(?, ?, ?, ?, ?, ?, ?, ?, ?, NULL)");
@ -2796,6 +2820,17 @@ public class MessagesStorage {
messagesMediaIdsMap.put(message.id, dialog_id); messagesMediaIdsMap.put(message.id, dialog_id);
mediaTypes.put(message.id, SharedMediaQuery.getMediaType(message)); mediaTypes.put(message.id, SharedMediaQuery.getMediaType(message));
} }
if (message.reply_markup != null && ((message.reply_markup.flags & 4) == 0 || (message.flags & 16) != 0)) {
TLRPC.Message oldMessage = botKeyboards.get(dialog_id);
if (oldMessage == null || oldMessage.id < message.id) {
botKeyboards.put(dialog_id, message);
}
}
}
for (HashMap.Entry<Long, TLRPC.Message> entry : botKeyboards.entrySet()) {
BotQuery.putBotKeyboard(entry.getKey(), entry.getValue());
} }
if (messageMediaIds.length() > 0) { if (messageMediaIds.length() > 0) {
@ -2842,7 +2877,8 @@ public class MessagesStorage {
} }
int downloadMediaMask = 0; int downloadMediaMask = 0;
for (TLRPC.Message message : messages) { for (int a = 0; a < messages.size(); a++) {
TLRPC.Message message = messages.get(a);
fixUnsupportedMedia(message); fixUnsupportedMedia(message);
long dialog_id = message.dialog_id; long dialog_id = message.dialog_id;
@ -3307,7 +3343,7 @@ public class MessagesStorage {
TLRPC.User updateUser = usersDict.get(user.id); TLRPC.User updateUser = usersDict.get(user.id);
if (updateUser != null) { if (updateUser != null) {
if (updateUser.first_name != null && updateUser.last_name != null) { if (updateUser.first_name != null && updateUser.last_name != null) {
if (!(user instanceof TLRPC.TL_userContact)) { if (!UserObject.isContact(user)) {
user.first_name = updateUser.first_name; user.first_name = updateUser.first_name;
user.last_name = updateUser.last_name; user.last_name = updateUser.last_name;
} }
@ -3505,9 +3541,11 @@ public class MessagesStorage {
cursor.dispose(); cursor.dispose();
FileLoader.getInstance().deleteFiles(filesToDelete); FileLoader.getInstance().deleteFiles(filesToDelete);
database.executeFast(String.format(Locale.US, "DELETE FROM messages WHERE mid IN(%s)", ids)).stepThis().dispose(); database.executeFast(String.format(Locale.US, "DELETE FROM messages WHERE mid IN(%s)", ids)).stepThis().dispose();
database.executeFast(String.format(Locale.US, "DELETE FROM bot_keyboard WHERE mid IN(%s)", ids)).stepThis().dispose();
database.executeFast(String.format(Locale.US, "DELETE FROM messages_seq WHERE mid IN(%s)", ids)).stepThis().dispose(); database.executeFast(String.format(Locale.US, "DELETE FROM messages_seq WHERE mid IN(%s)", ids)).stepThis().dispose();
database.executeFast(String.format(Locale.US, "DELETE FROM media_v2 WHERE mid IN(%s)", ids)).stepThis().dispose(); database.executeFast(String.format(Locale.US, "DELETE FROM media_v2 WHERE mid IN(%s)", ids)).stepThis().dispose();
database.executeFast("DELETE FROM media_counts_v2 WHERE 1").stepThis().dispose(); database.executeFast("DELETE FROM media_counts_v2 WHERE 1").stepThis().dispose();
BotQuery.clearBotKeyboard(0, messages);
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -3526,7 +3564,7 @@ public class MessagesStorage {
} }
cursor.dispose(); cursor.dispose();
database.beginTransaction(); database.beginTransaction();
SQLitePreparedStatement state = database.executeFast("UPDATE dialogs SET last_mid = (SELECT mid FROM messages WHERE uid = ? AND date = (SELECT MAX(date) FROM messages WHERE uid = ? )) WHERE did = ?"); SQLitePreparedStatement state = database.executeFast("UPDATE dialogs SET unread_count = 0, last_mid = (SELECT mid FROM messages WHERE uid = ? AND date = (SELECT MAX(date) FROM messages WHERE uid = ? )) WHERE did = ?");
for (long did : dialogsToUpdate) { for (long did : dialogsToUpdate) {
state.requery(); state.requery();
state.bindLong(1, did); state.bindLong(1, did);
@ -3688,7 +3726,9 @@ public class MessagesStorage {
if (!messages.messages.isEmpty()) { if (!messages.messages.isEmpty()) {
SQLitePreparedStatement state = database.executeFast("REPLACE INTO messages VALUES(?, ?, ?, ?, ?, ?, ?, ?, ?, NULL)"); SQLitePreparedStatement state = database.executeFast("REPLACE INTO messages VALUES(?, ?, ?, ?, ?, ?, ?, ?, ?, NULL)");
SQLitePreparedStatement state2 = database.executeFast("REPLACE INTO media_v2 VALUES(?, ?, ?, ?, ?)"); SQLitePreparedStatement state2 = database.executeFast("REPLACE INTO media_v2 VALUES(?, ?, ?, ?, ?)");
for (TLRPC.Message message : messages.messages) { TLRPC.Message botKeyboard = null;
for (int a = 0; a < messages.messages.size(); a++) {
TLRPC.Message message = messages.messages.get(a);
fixUnsupportedMedia(message); fixUnsupportedMedia(message);
state.requery(); state.requery();
ByteBufferDesc data = buffersStorage.getFreeBuffer(message.getObjectSize()); ByteBufferDesc data = buffersStorage.getFreeBuffer(message.getObjectSize());
@ -3714,9 +3754,18 @@ public class MessagesStorage {
state2.step(); state2.step();
} }
buffersStorage.reuseFreeBuffer(data); buffersStorage.reuseFreeBuffer(data);
if (message.reply_markup != null && ((message.reply_markup.flags & 4) == 0 || (message.flags & 16) != 0)) {
if (botKeyboard == null || botKeyboard.id < message.id) {
botKeyboard = message;
}
}
} }
state.dispose(); state.dispose();
state2.dispose(); state2.dispose();
if (botKeyboard != null) {
BotQuery.putBotKeyboard(dialog_id, botKeyboard);
}
} }
putUsersInternal(messages.users); putUsersInternal(messages.users);
putChatsInternal(messages.chats); putChatsInternal(messages.chats);
@ -3853,7 +3902,8 @@ public class MessagesStorage {
try { try {
database.beginTransaction(); database.beginTransaction();
final HashMap<Integer, TLRPC.Message> new_dialogMessage = new HashMap<>(); final HashMap<Integer, TLRPC.Message> new_dialogMessage = new HashMap<>();
for (TLRPC.Message message : dialogs.messages) { for (int a = 0; a < dialogs.messages.size(); a++) {
TLRPC.Message message = dialogs.messages.get(a);
new_dialogMessage.put(message.id, message); new_dialogMessage.put(message.id, message);
} }
@ -3863,7 +3913,9 @@ public class MessagesStorage {
SQLitePreparedStatement state3 = database.executeFast("REPLACE INTO media_v2 VALUES(?, ?, ?, ?, ?)"); SQLitePreparedStatement state3 = database.executeFast("REPLACE INTO media_v2 VALUES(?, ?, ?, ?, ?)");
SQLitePreparedStatement state4 = database.executeFast("REPLACE INTO dialog_settings VALUES(?, ?)"); SQLitePreparedStatement state4 = database.executeFast("REPLACE INTO dialog_settings VALUES(?, ?)");
for (TLRPC.TL_dialog dialog : dialogs.dialogs) { for (int a = 0; a < dialogs.dialogs.size(); a++) {
TLRPC.TL_dialog dialog = dialogs.dialogs.get(a);
state.requery(); state.requery();
state2.requery(); state2.requery();
state4.requery(); state4.requery();
@ -3872,23 +3924,41 @@ public class MessagesStorage {
uid = -dialog.peer.chat_id; uid = -dialog.peer.chat_id;
} }
TLRPC.Message message = new_dialogMessage.get(dialog.top_message); TLRPC.Message message = new_dialogMessage.get(dialog.top_message);
fixUnsupportedMedia(message);
ByteBufferDesc data = buffersStorage.getFreeBuffer(message.getObjectSize());
message.serializeToStream(data);
state.bindInteger(1, message.id); if (message != null) {
state.bindInteger(2, uid); if (message.reply_markup != null && ((message.reply_markup.flags & 4) == 0 || (message.flags & 16) != 0)) {
state.bindInteger(3, MessageObject.getUnreadFlags(message)); BotQuery.putBotKeyboard(uid, message);
state.bindInteger(4, message.send_state); }
state.bindInteger(5, message.date);
state.bindByteBuffer(6, data.buffer); fixUnsupportedMedia(message);
state.bindInteger(7, (MessageObject.isOut(message) ? 1 : 0)); ByteBufferDesc data = buffersStorage.getFreeBuffer(message.getObjectSize());
state.bindInteger(8, 0); message.serializeToStream(data);
state.bindInteger(9, 0);
state.step(); state.bindInteger(1, message.id);
state.bindInteger(2, uid);
state.bindInteger(3, MessageObject.getUnreadFlags(message));
state.bindInteger(4, message.send_state);
state.bindInteger(5, message.date);
state.bindByteBuffer(6, data.buffer);
state.bindInteger(7, (MessageObject.isOut(message) ? 1 : 0));
state.bindInteger(8, 0);
state.bindInteger(9, 0);
state.step();
if (SharedMediaQuery.canAddMessageToMedia(message)) {
state3.requery();
state3.bindLong(1, message.id);
state3.bindInteger(2, uid);
state3.bindInteger(3, message.date);
state3.bindInteger(4, SharedMediaQuery.getMediaType(message));
state3.bindByteBuffer(5, data.buffer);
state3.step();
}
buffersStorage.reuseFreeBuffer(data);
}
state2.bindLong(1, uid); state2.bindLong(1, uid);
state2.bindInteger(2, message.date); state2.bindInteger(2, message != null ? message.date : 0);
state2.bindInteger(3, dialog.unread_count); state2.bindInteger(3, dialog.unread_count);
state2.bindInteger(4, dialog.top_message); state2.bindInteger(4, dialog.top_message);
state2.bindInteger(5, dialog.read_inbox_max_id); state2.bindInteger(5, dialog.read_inbox_max_id);
@ -3898,17 +3968,6 @@ public class MessagesStorage {
state4.bindLong(1, uid); state4.bindLong(1, uid);
state4.bindInteger(2, dialog.notify_settings.mute_until != 0 ? 1 : 0); state4.bindInteger(2, dialog.notify_settings.mute_until != 0 ? 1 : 0);
state4.step(); state4.step();
if (SharedMediaQuery.canAddMessageToMedia(message)) {
state3.requery();
state3.bindLong(1, message.id);
state3.bindInteger(2, uid);
state3.bindInteger(3, message.date);
state3.bindInteger(4, SharedMediaQuery.getMediaType(message));
state3.bindByteBuffer(5, data.buffer);
state3.step();
}
buffersStorage.reuseFreeBuffer(data);
} }
state.dispose(); state.dispose();
state2.dispose(); state2.dispose();

View File

@ -44,7 +44,6 @@ public class NotificationCenter {
public static final int pushMessagesUpdated = totalEvents++; public static final int pushMessagesUpdated = totalEvents++;
public static final int blockedUsersDidLoaded = totalEvents++; public static final int blockedUsersDidLoaded = totalEvents++;
public static final int openedChatChanged = totalEvents++; public static final int openedChatChanged = totalEvents++;
public static final int hideEmojiKeyboard = totalEvents++;
public static final int stopEncodingService = totalEvents++; public static final int stopEncodingService = totalEvents++;
public static final int didCreatedNewDeleteTask = totalEvents++; public static final int didCreatedNewDeleteTask = totalEvents++;
public static final int mainUserInfoChanged = totalEvents++; public static final int mainUserInfoChanged = totalEvents++;
@ -62,6 +61,9 @@ public class NotificationCenter {
public static final int stickersDidLoaded = totalEvents++; public static final int stickersDidLoaded = totalEvents++;
public static final int didReplacedPhotoInMemCache = totalEvents++; public static final int didReplacedPhotoInMemCache = totalEvents++;
public static final int messagesReadContent = totalEvents++; public static final int messagesReadContent = totalEvents++;
public static final int botInfoDidLoaded = totalEvents++;
public static final int botKeyboardDidLoaded = totalEvents++;
public static final int chatSearchResultsAvailable = totalEvents++;
public static final int httpFileDidLoaded = totalEvents++; public static final int httpFileDidLoaded = totalEvents++;
public static final int httpFileDidFailedLoad = totalEvents++; public static final int httpFileDidFailedLoad = totalEvents++;
@ -147,7 +149,7 @@ public class NotificationCenter {
public void postNotificationName(int id, Object... args) { public void postNotificationName(int id, Object... args) {
boolean allowDuringAnimation = false; boolean allowDuringAnimation = false;
if (id == dialogsNeedReload || id == closeChats || id == messagesDidLoaded || id == mediaCountDidLoaded || id == mediaDidLoaded) { if (id == dialogsNeedReload || id == closeChats || id == messagesDidLoaded || id == mediaCountDidLoaded || id == mediaDidLoaded || id == botInfoDidLoaded || id == botKeyboardDidLoaded) {
allowDuringAnimation = true; allowDuringAnimation = true;
} }
postNotificationNameInternal(id, allowDuringAnimation, args); postNotificationNameInternal(id, allowDuringAnimation, args);

View File

@ -1,29 +0,0 @@
/*
* This is the source code of Telegram for Android v. 2.0.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2014.
*/
package org.telegram.android;
import android.app.IntentService;
import android.content.Intent;
public class NotificationDelay extends IntentService {
public NotificationDelay() {
super("NotificationDelay");
}
@Override
protected void onHandleIntent(Intent intent) {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
NotificationsController.getInstance().notificationDelayReached();
}
});
}
}

View File

@ -24,6 +24,7 @@ import android.media.AudioManager;
import android.media.SoundPool; import android.media.SoundPool;
import android.net.Uri; import android.net.Uri;
import android.os.Build; import android.os.Build;
import android.os.PowerManager;
import android.os.SystemClock; import android.os.SystemClock;
import android.provider.Settings; import android.provider.Settings;
import android.support.v4.app.NotificationCompat; import android.support.v4.app.NotificationCompat;
@ -75,12 +76,18 @@ public class NotificationsController {
private int lastBadgeCount; private int lastBadgeCount;
private String launcherClassName; private String launcherClassName;
private Runnable notificationDelayRunnable;
private PowerManager.WakeLock notificationDelayWakelock;
private long lastSoundPlay; private long lastSoundPlay;
private long lastSoundOutPlay; private long lastSoundOutPlay;
private SoundPool soundPool; private SoundPool soundPool;
private int soundIn; private int soundIn;
private int soundOut; private int soundOut;
private boolean soundInLoaded;
private boolean soundOutLoaded;
protected AudioManager audioManager; protected AudioManager audioManager;
private AlarmManager alarmManager;
private static volatile NotificationsController Instance = null; private static volatile NotificationsController Instance = null;
public static NotificationsController getInstance() { public static NotificationsController getInstance() {
@ -106,6 +113,37 @@ public class NotificationsController {
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
try {
alarmManager = (AlarmManager) ApplicationLoader.applicationContext.getSystemService(Context.ALARM_SERVICE);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
try {
PowerManager pm = (PowerManager) ApplicationLoader.applicationContext.getSystemService(Context.POWER_SERVICE);
notificationDelayWakelock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, "lock");
notificationDelayWakelock.setReferenceCounted(false);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
notificationDelayRunnable = new Runnable() {
@Override
public void run() {
FileLog.e("tmessages", "delay reached");
if (!delayedPushMessages.isEmpty()) {
showOrUpdateNotification(true);
delayedPushMessages.clear();
}
try {
if (notificationDelayWakelock.isHeld()) {
notificationDelayWakelock.release();
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
};
} }
public void cleanup() { public void cleanup() {
@ -118,8 +156,17 @@ public class NotificationsController {
popupMessages.clear(); popupMessages.clear();
wearNotificationsIds.clear(); wearNotificationsIds.clear();
autoNotificationsIds.clear(); autoNotificationsIds.clear();
delayedPushMessages.clear();
notifyCheck = false; notifyCheck = false;
lastBadgeCount = 0; lastBadgeCount = 0;
try {
if (notificationDelayWakelock.isHeld()) {
notificationDelayWakelock.release();
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
setBadge(0);
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE);
SharedPreferences.Editor editor = preferences.edit(); SharedPreferences.Editor editor = preferences.edit();
editor.clear(); editor.clear();
@ -173,9 +220,9 @@ public class NotificationsController {
if (preferences.getBoolean("EnablePreviewAll", true)) { if (preferences.getBoolean("EnablePreviewAll", true)) {
if (messageObject.messageOwner instanceof TLRPC.TL_messageService) { if (messageObject.messageOwner instanceof TLRPC.TL_messageService) {
if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionUserJoined) { if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionUserJoined) {
msg = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationContactJoined", R.string.NotificationContactJoined, UserObject.getUserName(user));
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionUserUpdatedPhoto) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionUserUpdatedPhoto) {
msg = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationContactNewPhoto", R.string.NotificationContactNewPhoto, UserObject.getUserName(user));
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionLoginUnknownLocation) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionLoginUnknownLocation) {
String date = LocaleController.formatString("formatDateAtTime", R.string.formatDateAtTime, LocaleController.formatterYear.format(((long) messageObject.messageOwner.date) * 1000), LocaleController.formatterDay.format(((long) messageObject.messageOwner.date) * 1000)); String date = LocaleController.formatString("formatDateAtTime", R.string.formatDateAtTime, LocaleController.formatterYear.format(((long) messageObject.messageOwner.date) * 1000), LocaleController.formatterDay.format(((long) messageObject.messageOwner.date) * 1000));
msg = LocaleController.formatString("NotificationUnrecognizedDevice", R.string.NotificationUnrecognizedDevice, UserConfig.getCurrentUser().first_name, date, messageObject.messageOwner.action.title, messageObject.messageOwner.action.address); msg = LocaleController.formatString("NotificationUnrecognizedDevice", R.string.NotificationUnrecognizedDevice, UserConfig.getCurrentUser().first_name, date, messageObject.messageOwner.action.title, messageObject.messageOwner.action.address);
@ -184,33 +231,33 @@ public class NotificationsController {
if (messageObject.isMediaEmpty()) { if (messageObject.isMediaEmpty()) {
if (!shortMessage) { if (!shortMessage) {
if (messageObject.messageOwner.message != null && messageObject.messageOwner.message.length() != 0) { if (messageObject.messageOwner.message != null && messageObject.messageOwner.message.length() != 0) {
msg = LocaleController.formatString("NotificationMessageText", R.string.NotificationMessageText, ContactsController.formatName(user.first_name, user.last_name), messageObject.messageOwner.message); msg = LocaleController.formatString("NotificationMessageText", R.string.NotificationMessageText, UserObject.getUserName(user), messageObject.messageOwner.message);
} else { } else {
msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, UserObject.getUserName(user));
} }
} else { } else {
msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, UserObject.getUserName(user));
} }
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaPhoto) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaPhoto) {
msg = LocaleController.formatString("NotificationMessagePhoto", R.string.NotificationMessagePhoto, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessagePhoto", R.string.NotificationMessagePhoto, UserObject.getUserName(user));
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVideo) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVideo) {
msg = LocaleController.formatString("NotificationMessageVideo", R.string.NotificationMessageVideo, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageVideo", R.string.NotificationMessageVideo, UserObject.getUserName(user));
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaContact) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaContact) {
msg = LocaleController.formatString("NotificationMessageContact", R.string.NotificationMessageContact, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageContact", R.string.NotificationMessageContact, UserObject.getUserName(user));
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue) {
msg = LocaleController.formatString("NotificationMessageMap", R.string.NotificationMessageMap, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageMap", R.string.NotificationMessageMap, UserObject.getUserName(user));
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaDocument) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaDocument) {
if (messageObject.isSticker()) { if (messageObject.isSticker()) {
msg = LocaleController.formatString("NotificationMessageSticker", R.string.NotificationMessageSticker, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageSticker", R.string.NotificationMessageSticker, UserObject.getUserName(user));
} else { } else {
msg = LocaleController.formatString("NotificationMessageDocument", R.string.NotificationMessageDocument, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageDocument", R.string.NotificationMessageDocument, UserObject.getUserName(user));
} }
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaAudio) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaAudio) {
msg = LocaleController.formatString("NotificationMessageAudio", R.string.NotificationMessageAudio, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageAudio", R.string.NotificationMessageAudio, UserObject.getUserName(user));
} }
} }
} else { } else {
msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, ContactsController.formatName(user.first_name, user.last_name)); msg = LocaleController.formatString("NotificationMessageNoText", R.string.NotificationMessageNoText, UserObject.getUserName(user));
} }
} else if (chat_id != 0) { } else if (chat_id != 0) {
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE);
@ -218,35 +265,35 @@ public class NotificationsController {
if (messageObject.messageOwner instanceof TLRPC.TL_messageService) { if (messageObject.messageOwner instanceof TLRPC.TL_messageService) {
if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatAddUser) { if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatAddUser) {
if (messageObject.messageOwner.action.user_id == UserConfig.getClientUserId()) { if (messageObject.messageOwner.action.user_id == UserConfig.getClientUserId()) {
msg = LocaleController.formatString("NotificationInvitedToGroup", R.string.NotificationInvitedToGroup, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationInvitedToGroup", R.string.NotificationInvitedToGroup, UserObject.getUserName(user), chat.title);
} else { } else {
TLRPC.User u2 = MessagesController.getInstance().getUser(messageObject.messageOwner.action.user_id); TLRPC.User u2 = MessagesController.getInstance().getUser(messageObject.messageOwner.action.user_id);
if (u2 == null) { if (u2 == null) {
return null; return null;
} }
if (user.id == u2.id) { if (user.id == u2.id) {
msg = LocaleController.formatString("NotificationGroupAddSelf", R.string.NotificationGroupAddSelf, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationGroupAddSelf", R.string.NotificationGroupAddSelf, UserObject.getUserName(user), chat.title);
} else { } else {
msg = LocaleController.formatString("NotificationGroupAddMember", R.string.NotificationGroupAddMember, ContactsController.formatName(user.first_name, user.last_name), chat.title, ContactsController.formatName(u2.first_name, u2.last_name)); msg = LocaleController.formatString("NotificationGroupAddMember", R.string.NotificationGroupAddMember, UserObject.getUserName(user), chat.title, UserObject.getUserName(u2));
} }
} }
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatJoinedByLink) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatJoinedByLink) {
msg = LocaleController.formatString("NotificationInvitedToGroupByLink", R.string.NotificationInvitedToGroupByLink, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationInvitedToGroupByLink", R.string.NotificationInvitedToGroupByLink, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatEditTitle) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatEditTitle) {
msg = LocaleController.formatString("NotificationEditedGroupName", R.string.NotificationEditedGroupName, ContactsController.formatName(user.first_name, user.last_name), messageObject.messageOwner.action.title); msg = LocaleController.formatString("NotificationEditedGroupName", R.string.NotificationEditedGroupName, UserObject.getUserName(user), messageObject.messageOwner.action.title);
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatEditPhoto || messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatDeletePhoto) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatEditPhoto || messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatDeletePhoto) {
msg = LocaleController.formatString("NotificationEditedGroupPhoto", R.string.NotificationEditedGroupPhoto, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationEditedGroupPhoto", R.string.NotificationEditedGroupPhoto, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatDeleteUser) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatDeleteUser) {
if (messageObject.messageOwner.action.user_id == UserConfig.getClientUserId()) { if (messageObject.messageOwner.action.user_id == UserConfig.getClientUserId()) {
msg = LocaleController.formatString("NotificationGroupKickYou", R.string.NotificationGroupKickYou, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationGroupKickYou", R.string.NotificationGroupKickYou, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.action.user_id == user.id) { } else if (messageObject.messageOwner.action.user_id == user.id) {
msg = LocaleController.formatString("NotificationGroupLeftMember", R.string.NotificationGroupLeftMember, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationGroupLeftMember", R.string.NotificationGroupLeftMember, UserObject.getUserName(user), chat.title);
} else { } else {
TLRPC.User u2 = MessagesController.getInstance().getUser(messageObject.messageOwner.action.user_id); TLRPC.User u2 = MessagesController.getInstance().getUser(messageObject.messageOwner.action.user_id);
if (u2 == null) { if (u2 == null) {
return null; return null;
} }
msg = LocaleController.formatString("NotificationGroupKickMember", R.string.NotificationGroupKickMember, ContactsController.formatName(user.first_name, user.last_name), chat.title, ContactsController.formatName(u2.first_name, u2.last_name)); msg = LocaleController.formatString("NotificationGroupKickMember", R.string.NotificationGroupKickMember, UserObject.getUserName(user), chat.title, UserObject.getUserName(u2));
} }
} else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatCreate) { } else if (messageObject.messageOwner.action instanceof TLRPC.TL_messageActionChatCreate) {
msg = messageObject.messageText.toString(); msg = messageObject.messageText.toString();
@ -254,30 +301,30 @@ public class NotificationsController {
} else { } else {
if (messageObject.isMediaEmpty()) { if (messageObject.isMediaEmpty()) {
if (!shortMessage && messageObject.messageOwner.message != null && messageObject.messageOwner.message.length() != 0) { if (!shortMessage && messageObject.messageOwner.message != null && messageObject.messageOwner.message.length() != 0) {
msg = LocaleController.formatString("NotificationMessageGroupText", R.string.NotificationMessageGroupText, ContactsController.formatName(user.first_name, user.last_name), chat.title, messageObject.messageOwner.message); msg = LocaleController.formatString("NotificationMessageGroupText", R.string.NotificationMessageGroupText, UserObject.getUserName(user), chat.title, messageObject.messageOwner.message);
} else { } else {
msg = LocaleController.formatString("NotificationMessageGroupNoText", R.string.NotificationMessageGroupNoText, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupNoText", R.string.NotificationMessageGroupNoText, UserObject.getUserName(user), chat.title);
} }
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaPhoto) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaPhoto) {
msg = LocaleController.formatString("NotificationMessageGroupPhoto", R.string.NotificationMessageGroupPhoto, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupPhoto", R.string.NotificationMessageGroupPhoto, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVideo) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVideo) {
msg = LocaleController.formatString("NotificationMessageGroupVideo", R.string.NotificationMessageGroupVideo, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupVideo", R.string.NotificationMessageGroupVideo, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaContact) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaContact) {
msg = LocaleController.formatString("NotificationMessageGroupContact", R.string.NotificationMessageGroupContact, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupContact", R.string.NotificationMessageGroupContact, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue) {
msg = LocaleController.formatString("NotificationMessageGroupMap", R.string.NotificationMessageGroupMap, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupMap", R.string.NotificationMessageGroupMap, UserObject.getUserName(user), chat.title);
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaDocument) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaDocument) {
if (messageObject.isSticker()) { if (messageObject.isSticker()) {
msg = LocaleController.formatString("NotificationMessageGroupSticker", R.string.NotificationMessageGroupSticker, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupSticker", R.string.NotificationMessageGroupSticker, UserObject.getUserName(user), chat.title);
} else { } else {
msg = LocaleController.formatString("NotificationMessageGroupDocument", R.string.NotificationMessageGroupDocument, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupDocument", R.string.NotificationMessageGroupDocument, UserObject.getUserName(user), chat.title);
} }
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaAudio) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaAudio) {
msg = LocaleController.formatString("NotificationMessageGroupAudio", R.string.NotificationMessageGroupAudio, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupAudio", R.string.NotificationMessageGroupAudio, UserObject.getUserName(user), chat.title);
} }
} }
} else { } else {
msg = LocaleController.formatString("NotificationMessageGroupNoText", R.string.NotificationMessageGroupNoText, ContactsController.formatName(user.first_name, user.last_name), chat.title); msg = LocaleController.formatString("NotificationMessageGroupNoText", R.string.NotificationMessageGroupNoText, UserObject.getUserName(user), chat.title);
} }
} }
} }
@ -286,14 +333,13 @@ public class NotificationsController {
private void scheduleNotificationRepeat() { private void scheduleNotificationRepeat() {
try { try {
AlarmManager alarm = (AlarmManager) ApplicationLoader.applicationContext.getSystemService(Context.ALARM_SERVICE);
PendingIntent pintent = PendingIntent.getService(ApplicationLoader.applicationContext, 0, new Intent(ApplicationLoader.applicationContext, NotificationRepeat.class), 0); PendingIntent pintent = PendingIntent.getService(ApplicationLoader.applicationContext, 0, new Intent(ApplicationLoader.applicationContext, NotificationRepeat.class), 0);
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE);
int minutes = preferences.getInt("repeat_messages", 60); int minutes = preferences.getInt("repeat_messages", 60);
if (minutes > 0 && personal_count > 0) { if (minutes > 0 && personal_count > 0) {
alarm.set(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime() + minutes * 60 * 1000, pintent); alarmManager.set(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime() + minutes * 60 * 1000, pintent);
} else { } else {
alarm.cancel(pintent); alarmManager.cancel(pintent);
} }
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
@ -303,24 +349,12 @@ public class NotificationsController {
private void scheduleNotificationDelay(boolean onlineReason) { private void scheduleNotificationDelay(boolean onlineReason) {
try { try {
FileLog.e("tmessages", "delay notification start, onlineReason = " + onlineReason); FileLog.e("tmessages", "delay notification start, onlineReason = " + onlineReason);
AlarmManager alarm = (AlarmManager) ApplicationLoader.applicationContext.getSystemService(Context.ALARM_SERVICE); notificationDelayWakelock.acquire(10000);
PendingIntent pintent = PendingIntent.getService(ApplicationLoader.applicationContext, 0, new Intent(ApplicationLoader.applicationContext, NotificationDelay.class), 0); AndroidUtilities.cancelRunOnUIThread(notificationDelayRunnable);
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE); AndroidUtilities.runOnUIThread(notificationDelayRunnable, (onlineReason ? 3 * 1000 : 1000));
if (onlineReason) {
alarm.set(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime() + 3 * 1000, pintent);
} else {
alarm.set(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime() + 1000, pintent);
}
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} showOrUpdateNotification(notifyCheck);
}
protected void notificationDelayReached() {
FileLog.e("tmessages", "delay reached");
if (!delayedPushMessages.isEmpty()) {
showOrUpdateNotification(true);
delayedPushMessages.clear();
} }
} }
@ -529,7 +563,7 @@ public class NotificationsController {
if (chat != null) { if (chat != null) {
name = chat.title; name = chat.title;
} else { } else {
name = ContactsController.formatName(user.first_name, user.last_name); name = UserObject.getUserName(user);
} }
} }
@ -673,9 +707,11 @@ public class NotificationsController {
if (Build.VERSION.SDK_INT < 19) { if (Build.VERSION.SDK_INT < 19) {
return; return;
} }
ArrayList<Long> sortedDialogs = new ArrayList<>(); ArrayList<Long> sortedDialogs = new ArrayList<>();
HashMap<Long, ArrayList<MessageObject>> messagesByDialogs = new HashMap<>(); HashMap<Long, ArrayList<MessageObject>> messagesByDialogs = new HashMap<>();
for (MessageObject messageObject : pushMessages) { for (int a = 0; a < pushMessages.size(); a++) {
MessageObject messageObject = pushMessages.get(a);
long dialog_id = messageObject.getDialogId(); long dialog_id = messageObject.getDialogId();
if ((int)dialog_id == 0) { if ((int)dialog_id == 0) {
continue; continue;
@ -698,7 +734,8 @@ public class NotificationsController {
oldIdsAuto.putAll(autoNotificationsIds); oldIdsAuto.putAll(autoNotificationsIds);
autoNotificationsIds.clear(); autoNotificationsIds.clear();
for (long dialog_id : sortedDialogs) { for (int b = 0; b < sortedDialogs.size(); b++) {
long dialog_id = sortedDialogs.get(b);
ArrayList<MessageObject> messageObjects = messagesByDialogs.get(dialog_id); ArrayList<MessageObject> messageObjects = messagesByDialogs.get(dialog_id);
int max_id = messageObjects.get(0).getId(); int max_id = messageObjects.get(0).getId();
int max_date = messageObjects.get(0).messageOwner.date; int max_date = messageObjects.get(0).messageOwner.date;
@ -719,7 +756,7 @@ public class NotificationsController {
if (chat != null) { if (chat != null) {
name = chat.title; name = chat.title;
} else { } else {
name = ContactsController.formatName(user.first_name, user.last_name); name = UserObject.getUserName(user);
} }
Integer notificationIdWear = oldIdsWear.get(dialog_id); Integer notificationIdWear = oldIdsWear.get(dialog_id);
@ -736,19 +773,6 @@ public class NotificationsController {
oldIdsAuto.remove(dialog_id); oldIdsAuto.remove(dialog_id);
} }
Intent replyIntent = new Intent(ApplicationLoader.applicationContext, WearReplyReceiver.class);
replyIntent.putExtra("dialog_id", dialog_id);
replyIntent.putExtra("max_id", max_id);
PendingIntent replyPendingIntent = PendingIntent.getBroadcast(ApplicationLoader.applicationContext, notificationIdWear, replyIntent, PendingIntent.FLAG_UPDATE_CURRENT);
RemoteInput remoteInputWear = new RemoteInput.Builder(EXTRA_VOICE_REPLY).setLabel(LocaleController.getString("Reply", R.string.Reply)).build();
String replyToString;
if (chat != null) {
replyToString = LocaleController.formatString("ReplyToGroup", R.string.ReplyToGroup, name);
} else {
replyToString = LocaleController.formatString("ReplyToUser", R.string.ReplyToUser, name);
}
NotificationCompat.Action action = new NotificationCompat.Action.Builder(R.drawable.ic_reply_icon, replyToString, replyPendingIntent).addRemoteInput(remoteInputWear).build();
Intent msgHeardIntent = new Intent(); Intent msgHeardIntent = new Intent();
msgHeardIntent.addFlags(Intent.FLAG_INCLUDE_STOPPED_PACKAGES); msgHeardIntent.addFlags(Intent.FLAG_INCLUDE_STOPPED_PACKAGES);
msgHeardIntent.setAction("org.telegram.messenger.ACTION_MESSAGE_HEARD"); msgHeardIntent.setAction("org.telegram.messenger.ACTION_MESSAGE_HEARD");
@ -765,9 +789,22 @@ public class NotificationsController {
RemoteInput remoteInputAuto = new RemoteInput.Builder(NotificationsController.EXTRA_VOICE_REPLY).setLabel(LocaleController.getString("Reply", R.string.Reply)).build(); RemoteInput remoteInputAuto = new RemoteInput.Builder(NotificationsController.EXTRA_VOICE_REPLY).setLabel(LocaleController.getString("Reply", R.string.Reply)).build();
NotificationCompat.CarExtender.UnreadConversation.Builder unreadConvBuilder = new NotificationCompat.CarExtender.UnreadConversation.Builder(name) NotificationCompat.CarExtender.UnreadConversation.Builder unreadConvBuilder = new NotificationCompat.CarExtender.UnreadConversation.Builder(name)
.setReadPendingIntent(msgHeardPendingIntent) .setReadPendingIntent(msgHeardPendingIntent)
.setReplyAction(msgReplyPendingIntent, remoteInputAuto) .setReplyAction(msgReplyPendingIntent, remoteInputAuto)
.setLatestTimestamp((long) max_date * 1000); .setLatestTimestamp((long) max_date * 1000);
Intent replyIntent = new Intent(ApplicationLoader.applicationContext, WearReplyReceiver.class);
replyIntent.putExtra("dialog_id", dialog_id);
replyIntent.putExtra("max_id", max_id);
PendingIntent replyPendingIntent = PendingIntent.getBroadcast(ApplicationLoader.applicationContext, notificationIdWear, replyIntent, PendingIntent.FLAG_UPDATE_CURRENT);
RemoteInput remoteInputWear = new RemoteInput.Builder(EXTRA_VOICE_REPLY).setLabel(LocaleController.getString("Reply", R.string.Reply)).build();
String replyToString;
if (chat != null) {
replyToString = LocaleController.formatString("ReplyToGroup", R.string.ReplyToGroup, name);
} else {
replyToString = LocaleController.formatString("ReplyToUser", R.string.ReplyToUser, name);
}
NotificationCompat.Action action = new NotificationCompat.Action.Builder(R.drawable.ic_reply_icon, replyToString, replyPendingIntent).addRemoteInput(remoteInputWear).build();
String text = ""; String text = "";
for (int a = messageObjects.size() - 1; a >= 0; a--) { for (int a = messageObjects.size() - 1; a >= 0; a--) {
@ -789,8 +826,6 @@ public class NotificationsController {
unreadConvBuilder.addMessage(message); unreadConvBuilder.addMessage(message);
} }
TLRPC.FileLocation photoPath = null; TLRPC.FileLocation photoPath = null;
if (chat != null) { if (chat != null) {
if (chat.photo != null && chat.photo.photo_small != null && chat.photo.photo_small.volume_id != 0 && chat.photo.photo_small.local_id != 0) { if (chat.photo != null && chat.photo.photo_small != null && chat.photo.photo_small.volume_id != 0 && chat.photo.photo_small.local_id != 0) {
@ -801,23 +836,6 @@ public class NotificationsController {
photoPath = user.photo.photo_small; photoPath = user.photo.photo_small;
} }
} }
//notificationBuilder.extend(new NotificationCompat.CarExtender().setUnreadConversation(unreadConvBuilder.build()));
NotificationCompat.Builder builderAuto = new NotificationCompat.Builder(ApplicationLoader.applicationContext)
.setSmallIcon(R.drawable.notification)
.setColor(0xff2ca5e0)
.setGroup("messages")
.setLocalOnly(true)
//.setGroupSummary(false)
//.setCategory(NotificationCompat.CATEGORY_MESSAGE)
.extend(new NotificationCompat.CarExtender().setUnreadConversation(unreadConvBuilder.build()));
if (photoPath != null) {
BitmapDrawable img = ImageLoader.getInstance().getImageFromMemory(photoPath, null, "50_50");
if (img != null) {
builderAuto.setLargeIcon(img.getBitmap());
}
}
notificationManager.notify("android_auto", notificationIdAuto, builderAuto.build());
autoNotificationsIds.put(dialog_id, notificationIdAuto);
Intent intent = new Intent(ApplicationLoader.applicationContext, LaunchActivity.class); Intent intent = new Intent(ApplicationLoader.applicationContext, LaunchActivity.class);
intent.setAction("com.tmessages.openchat" + Math.random() + Integer.MAX_VALUE); intent.setAction("com.tmessages.openchat" + Math.random() + Integer.MAX_VALUE);
@ -838,6 +856,7 @@ public class NotificationsController {
.setGroupSummary(false) .setGroupSummary(false)
.setContentIntent(contentIntent) .setContentIntent(contentIntent)
.extend(new NotificationCompat.WearableExtender().addAction(action)) .extend(new NotificationCompat.WearableExtender().addAction(action))
.extend(new NotificationCompat.CarExtender().setUnreadConversation(unreadConvBuilder.build()))
.setCategory(NotificationCompat.CATEGORY_MESSAGE); .setCategory(NotificationCompat.CATEGORY_MESSAGE);
if (photoPath != null) { if (photoPath != null) {
BitmapDrawable img = ImageLoader.getInstance().getImageFromMemory(photoPath, null, "50_50"); BitmapDrawable img = ImageLoader.getInstance().getImageFromMemory(photoPath, null, "50_50");
@ -854,9 +873,6 @@ public class NotificationsController {
wearNotificationsIds.put(dialog_id, notificationIdWear); wearNotificationsIds.put(dialog_id, notificationIdWear);
} }
for (HashMap.Entry<Long, Integer> entry : oldIdsAuto.entrySet()) {
notificationManager.cancel(entry.getValue());
}
for (HashMap.Entry<Long, Integer> entry : oldIdsWear.entrySet()) { for (HashMap.Entry<Long, Integer> entry : oldIdsWear.entrySet()) {
notificationManager.cancel(entry.getValue()); notificationManager.cancel(entry.getValue());
} }
@ -919,6 +935,9 @@ public class NotificationsController {
} }
} }
} }
if (pushMessages.isEmpty() && !popupMessages.isEmpty()) {
popupMessages.clear();
}
} }
if (dialog_id != 0 && (max_id != 0 || max_date != 0)) { if (dialog_id != 0 && (max_id != 0 || max_date != 0)) {
for (int a = 0; a < pushMessages.size(); a++) { for (int a = 0; a < pushMessages.size(); a++) {
@ -952,6 +971,9 @@ public class NotificationsController {
} }
} }
} }
if (pushMessages.isEmpty() && !popupMessages.isEmpty()) {
popupMessages.clear();
}
} }
if (oldCount != popupMessages.size()) { if (oldCount != popupMessages.size()) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.pushMessagesUpdated); NotificationCenter.getInstance().postNotificationName(NotificationCenter.pushMessagesUpdated);
@ -984,7 +1006,7 @@ public class NotificationsController {
} }
try { try {
if (soundPool == null) { if (soundPool == null) {
soundPool = new SoundPool(4, AudioManager.STREAM_SYSTEM, 0); soundPool = new SoundPool(2, AudioManager.STREAM_SYSTEM, 0);
soundPool.setOnLoadCompleteListener(new SoundPool.OnLoadCompleteListener() { soundPool.setOnLoadCompleteListener(new SoundPool.OnLoadCompleteListener() {
@Override @Override
public void onLoadComplete(SoundPool soundPool, int sampleId, int status) { public void onLoadComplete(SoundPool soundPool, int sampleId, int status) {
@ -994,10 +1016,13 @@ public class NotificationsController {
} }
}); });
} }
if (soundIn == 0) { if (soundIn == 0 && !soundInLoaded) {
soundInLoaded = true;
soundIn = soundPool.load(ApplicationLoader.applicationContext, R.raw.sound_in, 1); soundIn = soundPool.load(ApplicationLoader.applicationContext, R.raw.sound_in, 1);
} }
soundPool.play(soundIn, 1.0f, 1.0f, 1, 0, 1.0f); if (soundIn != 0) {
soundPool.play(soundIn, 1.0f, 1.0f, 1, 0, 1.0f);
}
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -1028,7 +1053,7 @@ public class NotificationsController {
} }
lastSoundOutPlay = System.currentTimeMillis(); lastSoundOutPlay = System.currentTimeMillis();
if (soundPool == null) { if (soundPool == null) {
soundPool = new SoundPool(4, AudioManager.STREAM_SYSTEM, 0); soundPool = new SoundPool(2, AudioManager.STREAM_SYSTEM, 0);
soundPool.setOnLoadCompleteListener(new SoundPool.OnLoadCompleteListener() { soundPool.setOnLoadCompleteListener(new SoundPool.OnLoadCompleteListener() {
@Override @Override
public void onLoadComplete(SoundPool soundPool, int sampleId, int status) { public void onLoadComplete(SoundPool soundPool, int sampleId, int status) {
@ -1038,10 +1063,13 @@ public class NotificationsController {
} }
}); });
} }
if (soundOut == 0) { if (soundOut == 0 && !soundOutLoaded) {
soundOutLoaded = true;
soundOut = soundPool.load(ApplicationLoader.applicationContext, R.raw.sound_out, 1); soundOut = soundPool.load(ApplicationLoader.applicationContext, R.raw.sound_out, 1);
} }
soundPool.play(soundOut, 1.0f, 1.0f, 1, 0, 1.0f); if (soundOut != 0) {
soundPool.play(soundOut, 1.0f, 1.0f, 1, 0, 1.0f);
}
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -1071,7 +1099,8 @@ public class NotificationsController {
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Context.MODE_PRIVATE);
int popup = 0; int popup = 0;
for (MessageObject messageObject : messageObjects) { for (int a = 0; a < messageObjects.size(); a++) {
MessageObject messageObject = messageObjects.get(a);
if (pushMessagesDict.containsKey(messageObject.getId())) { if (pushMessagesDict.containsKey(messageObject.getId())) {
continue; continue;
} }
@ -1175,6 +1204,9 @@ public class NotificationsController {
popupMessages.remove(messageObject); popupMessages.remove(messageObject);
} }
} }
if (pushMessages.isEmpty() && !popupMessages.isEmpty()) {
popupMessages.clear();
}
} else if (canAddValue) { } else if (canAddValue) {
total_unread_count += newCount; total_unread_count += newCount;
pushDialogs.put(dialog_id, newCount); pushDialogs.put(dialog_id, newCount);
@ -1190,7 +1222,7 @@ public class NotificationsController {
} }
notifyCheck = false; notifyCheck = false;
if (preferences.getBoolean("badgeNumber", true)) { if (preferences.getBoolean("badgeNumber", true)) {
setBadge(ApplicationLoader.applicationContext, total_unread_count); setBadge(total_unread_count);
} }
} }
@ -1264,15 +1296,15 @@ public class NotificationsController {
showOrUpdateNotification(SystemClock.uptimeMillis() / 1000 < 60); showOrUpdateNotification(SystemClock.uptimeMillis() / 1000 < 60);
if (preferences.getBoolean("badgeNumber", true)) { if (preferences.getBoolean("badgeNumber", true)) {
setBadge(ApplicationLoader.applicationContext, total_unread_count); setBadge(total_unread_count);
} }
} }
public void setBadgeEnabled(boolean enabled) { public void setBadgeEnabled(boolean enabled) {
setBadge(ApplicationLoader.applicationContext, enabled ? total_unread_count : 0); setBadge(enabled ? total_unread_count : 0);
} }
private void setBadge(final Context context, final int count) { private void setBadge(final int count) {
notificationsQueue.postRunnable(new Runnable() { notificationsQueue.postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
@ -1284,12 +1316,12 @@ public class NotificationsController {
ContentValues cv = new ContentValues(); ContentValues cv = new ContentValues();
cv.put("tag", "org.telegram.messenger/org.telegram.ui.LaunchActivity"); cv.put("tag", "org.telegram.messenger/org.telegram.ui.LaunchActivity");
cv.put("count", count); cv.put("count", count);
context.getContentResolver().insert(Uri.parse("content://com.teslacoilsw.notifier/unread_count"), cv); ApplicationLoader.applicationContext.getContentResolver().insert(Uri.parse("content://com.teslacoilsw.notifier/unread_count"), cv);
} catch (Throwable e) { } catch (Throwable e) {
//ignore //ignore
} }
try { try {
launcherClassName = getLauncherClassName(context); launcherClassName = getLauncherClassName(ApplicationLoader.applicationContext);
if (launcherClassName == null) { if (launcherClassName == null) {
return; return;
} }
@ -1299,9 +1331,9 @@ public class NotificationsController {
try { try {
Intent intent = new Intent("android.intent.action.BADGE_COUNT_UPDATE"); Intent intent = new Intent("android.intent.action.BADGE_COUNT_UPDATE");
intent.putExtra("badge_count", count); intent.putExtra("badge_count", count);
intent.putExtra("badge_count_package_name", context.getPackageName()); intent.putExtra("badge_count_package_name", ApplicationLoader.applicationContext.getPackageName());
intent.putExtra("badge_count_class_name", launcherClassName); intent.putExtra("badge_count_class_name", launcherClassName);
context.sendBroadcast(intent); ApplicationLoader.applicationContext.sendBroadcast(intent);
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
@ -1367,7 +1399,7 @@ public class NotificationsController {
if (user == null) { if (user == null) {
return; return;
} }
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user.access_hash != 0) {
((TLRPC.TL_inputNotifyPeer)req.peer).peer = new TLRPC.TL_inputPeerForeign(); ((TLRPC.TL_inputNotifyPeer)req.peer).peer = new TLRPC.TL_inputPeerForeign();
((TLRPC.TL_inputNotifyPeer)req.peer).peer.access_hash = user.access_hash; ((TLRPC.TL_inputNotifyPeer)req.peer).peer.access_hash = user.access_hash;
} else { } else {

View File

@ -449,7 +449,7 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
} else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo) { } else if (messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaVenue || messageObject.messageOwner.media instanceof TLRPC.TL_messageMediaGeo) {
sendMessage(messageObject.messageOwner.media, did, messageObject.replyMessageObject); sendMessage(messageObject.messageOwner.media, did, messageObject.replyMessageObject);
} else if (messageObject.messageOwner.media.phone_number != null) { } else if (messageObject.messageOwner.media.phone_number != null) {
TLRPC.User user = new TLRPC.TL_userContact(); TLRPC.User user = new TLRPC.TL_userContact_old2();
user.phone = messageObject.messageOwner.media.phone_number; user.phone = messageObject.messageOwner.media.phone_number;
user.first_name = messageObject.messageOwner.media.first_name; user.first_name = messageObject.messageOwner.media.first_name;
user.last_name = messageObject.messageOwner.media.last_name; user.last_name = messageObject.messageOwner.media.last_name;
@ -503,12 +503,14 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
} }
} }
} }
for (int a = 0; a < document.attributes.size(); a++) { if ((int) peer == 0) {
TLRPC.DocumentAttribute attribute = document.attributes.get(a); for (int a = 0; a < document.attributes.size(); a++) {
if (attribute instanceof TLRPC.TL_documentAttributeSticker) { TLRPC.DocumentAttribute attribute = document.attributes.get(a);
document.attributes.remove(a); if (attribute instanceof TLRPC.TL_documentAttributeSticker) {
document.attributes.add(new TLRPC.TL_documentAttributeSticker_old()); document.attributes.remove(a);
break; document.attributes.add(new TLRPC.TL_documentAttributeSticker_old());
break;
}
} }
} }
SendMessagesHelper.getInstance().sendMessage((TLRPC.TL_document) document, null, null, peer, replyingMessageObject); SendMessagesHelper.getInstance().sendMessage((TLRPC.TL_document) document, null, null, peer, replyingMessageObject);
@ -537,7 +539,7 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
if (sendToUser == null) { if (sendToUser == null) {
return; return;
} }
if (sendToUser instanceof TLRPC.TL_userForeign || sendToUser instanceof TLRPC.TL_userRequest) { if (sendToUser.access_hash != 0) {
sendToPeer = new TLRPC.TL_inputPeerForeign(); sendToPeer = new TLRPC.TL_inputPeerForeign();
sendToPeer.user_id = sendToUser.id; sendToPeer.user_id = sendToUser.id;
sendToPeer.access_hash = sendToUser.access_hash; sendToPeer.access_hash = sendToUser.access_hash;
@ -736,6 +738,15 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
ArrayList<TLRPC.InputUser> sendToPeers = null; ArrayList<TLRPC.InputUser> sendToPeers = null;
if (lower_id == 0) { if (lower_id == 0) {
encryptedChat = MessagesController.getInstance().getEncryptedChat(high_id); encryptedChat = MessagesController.getInstance().getEncryptedChat(high_id);
if (encryptedChat == null) {
if (msgObj != null) {
MessagesStorage.getInstance().markMessageAsSendError(msgObj.getId());
msgObj.messageOwner.send_state = MessageObject.MESSAGE_SEND_STATE_SEND_ERROR;
NotificationCenter.getInstance().postNotificationName(NotificationCenter.messageSendError, msgObj.getId());
processSentMessage(msgObj.getId());
}
return;
}
} }
if (retry) { if (retry) {
@ -766,7 +777,7 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
video = (TLRPC.TL_video) newMsg.media.video; video = (TLRPC.TL_video) newMsg.media.video;
} }
} else if (msgObj.type == 12) { } else if (msgObj.type == 12) {
user = new TLRPC.TL_userRequest(); user = new TLRPC.TL_userRequest_old2();
user.phone = newMsg.media.phone_number; user.phone = newMsg.media.phone_number;
user.first_name = newMsg.media.first_name; user.first_name = newMsg.media.first_name;
user.last_name = newMsg.media.last_name; user.last_name = newMsg.media.last_name;
@ -862,6 +873,12 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
newMsg.media.first_name = user.first_name; newMsg.media.first_name = user.first_name;
newMsg.media.last_name = user.last_name; newMsg.media.last_name = user.last_name;
newMsg.media.user_id = user.id; newMsg.media.user_id = user.id;
if (newMsg.media.first_name == null) {
user.first_name = newMsg.media.first_name = "";
}
if (newMsg.media.last_name == null) {
user.last_name = newMsg.media.last_name = "";
}
newMsg.message = ""; newMsg.message = "";
type = 6; type = 6;
} else if (document != null) { } else if (document != null) {
@ -941,7 +958,10 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
processSentMessage(newMsg.id); processSentMessage(newMsg.id);
return; return;
} }
if (sendToUser instanceof TLRPC.TL_userForeign || sendToUser instanceof TLRPC.TL_userRequest) { if ((sendToUser.flags & TLRPC.USER_FLAG_BOT) != 0) {
newMsg.flags &= ~TLRPC.MESSAGE_FLAG_UNREAD;
}
if (sendToUser.access_hash != 0) {
sendToPeer = new TLRPC.TL_inputPeerForeign(); sendToPeer = new TLRPC.TL_inputPeerForeign();
sendToPeer.user_id = sendToUser.id; sendToPeer.user_id = sendToUser.id;
sendToPeer.access_hash = sendToUser.access_hash; sendToPeer.access_hash = sendToUser.access_hash;
@ -1758,6 +1778,8 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
sentMessage.attachPath = newMsg.attachPath; sentMessage.attachPath = newMsg.attachPath;
} }
} }
} else if (sentMessage.media instanceof TLRPC.TL_messageMediaContact && newMsg.media instanceof TLRPC.TL_messageMediaContact) {
newMsg.media = sentMessage.media;
} }
} }
@ -2162,15 +2184,30 @@ public class SendMessagesHelper implements NotificationCenter.NotificationCenter
return src; return src;
} }
public static void prepareSendingText(String text, long dialog_id) { public static void prepareSendingText(final String text, final long dialog_id) {
text = getTrimmedString(text); MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
if (text.length() != 0) { @Override
int count = (int) Math.ceil(text.length() / 4096.0f); public void run() {
for (int a = 0; a < count; a++) { Utilities.stageQueue.postRunnable(new Runnable() {
String mess = text.substring(a * 4096, Math.min((a + 1) * 4096, text.length())); @Override
SendMessagesHelper.getInstance().sendMessage(mess, dialog_id, null, null, true); public void run() {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
String textFinal = getTrimmedString(text);
if (textFinal.length() != 0) {
int count = (int) Math.ceil(textFinal.length() / 4096.0f);
for (int a = 0; a < count; a++) {
String mess = textFinal.substring(a * 4096, Math.min((a + 1) * 4096, textFinal.length()));
SendMessagesHelper.getInstance().sendMessage(mess, dialog_id, null, null, true);
}
}
}
});
}
});
} }
} });
} }
public static void prepareSendingPhotos(ArrayList<String> paths, ArrayList<Uri> uris, final long dialog_id, final MessageObject reply_to_msg, final ArrayList<String> captions) { public static void prepareSendingPhotos(ArrayList<String> paths, ArrayList<Uri> uris, final long dialog_id, final MessageObject reply_to_msg, final ArrayList<String> captions) {

View File

@ -0,0 +1,45 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.android;
import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC;
public class UserObject {
public static boolean isDeleted(TLRPC.User user) {
return user == null || user instanceof TLRPC.TL_userDeleted_old2 || user instanceof TLRPC.TL_userEmpty || (user.flags & TLRPC.USER_FLAG_DELETED) != 0;
}
public static boolean isContact(TLRPC.User user) {
return user instanceof TLRPC.TL_userContact_old2 || (user.flags & TLRPC.USER_FLAG_CONTACT) != 0 || (user.flags & TLRPC.USER_FLAG_MUTUAL_CONTACT) != 0;
}
public static boolean isUserSelf(TLRPC.User user) {
return user instanceof TLRPC.TL_userSelf_old3 || (user.flags & TLRPC.USER_FLAG_SELF) != 0;
}
public static String getUserName(TLRPC.User user) {
if (user == null || isDeleted(user)) {
return LocaleController.getString("HiddenName", R.string.HiddenName);
}
return ContactsController.formatName(user.first_name, user.last_name);
}
public static String getFirstName(TLRPC.User user) {
if (user == null || isDeleted(user)) {
return "DELETED";
}
String name = user.first_name;
if (name == null || name.length() == 0) {
name = user.last_name;
}
return name != null && name.length() > 0 ? name : "DELETED";
}
}

View File

@ -0,0 +1,205 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.android.query;
import org.telegram.SQLite.SQLiteCursor;
import org.telegram.SQLite.SQLitePreparedStatement;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.MessagesStorage;
import org.telegram.android.NotificationCenter;
import org.telegram.messenger.ByteBufferDesc;
import org.telegram.messenger.FileLog;
import org.telegram.messenger.TLRPC;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Locale;
public class BotQuery {
private static HashMap<Integer, TLRPC.BotInfo> botInfos = new HashMap<>();
private static HashMap<Long, TLRPC.Message> botKeyboards = new HashMap<>();
private static HashMap<Integer, Long> botKeyboardsByMids = new HashMap<>();
public static void cleanup() {
botInfos.clear();
}
public static void clearBotKeyboard(final long did, final ArrayList<Integer> messages) {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
if (messages != null) {
for (int a = 0; a < messages.size(); a++) {
Long did = botKeyboardsByMids.get(messages.get(a));
if (did != null) {
botKeyboards.remove(did);
botKeyboardsByMids.remove(messages.get(a));
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botKeyboardDidLoaded, null, did);
}
}
} else {
botKeyboards.remove(did);
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botKeyboardDidLoaded, null, did);
}
}
});
}
public static void loadBotKeyboard(final long did) {
TLRPC.Message keyboard = botKeyboards.get(did);
if (keyboard != null) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botKeyboardDidLoaded, keyboard, did);
return;
}
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
@Override
public void run() {
try {
TLRPC.Message botKeyboard = null;
SQLiteCursor cursor = MessagesStorage.getInstance().getDatabase().queryFinalized(String.format(Locale.US, "SELECT info FROM bot_keyboard WHERE uid = %d", did));
if (cursor.next()) {
ByteBufferDesc data;
if (!cursor.isNull(0)) {
data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0));
if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) {
botKeyboard = TLRPC.Message.TLdeserialize(data, data.readInt32(false), false);
}
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
}
}
cursor.dispose();
if (botKeyboard != null) {
final TLRPC.Message botKeyboardFinal = botKeyboard;
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botKeyboardDidLoaded, botKeyboardFinal, did);
}
});
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
});
}
public static void loadBotInfo(final int uid, boolean cache, final int classGuid) {
if (cache) {
TLRPC.BotInfo botInfo = botInfos.get(uid);
if (botInfo != null) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botInfoDidLoaded, botInfo, classGuid);
return;
}
}
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
@Override
public void run() {
try {
TLRPC.BotInfo botInfo = null;
SQLiteCursor cursor = MessagesStorage.getInstance().getDatabase().queryFinalized(String.format(Locale.US, "SELECT info FROM bot_info WHERE uid = %d", uid));
if (cursor.next()) {
ByteBufferDesc data;
if (!cursor.isNull(0)) {
data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0));
if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) {
botInfo = TLRPC.BotInfo.TLdeserialize(data, data.readInt32(false), false);
}
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
}
}
cursor.dispose();
if (botInfo != null) {
final TLRPC.BotInfo botInfoFinal = botInfo;
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botInfoDidLoaded, botInfoFinal, classGuid);
}
});
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
});
}
public static void putBotKeyboard(final long did, final TLRPC.Message message) {
if (message == null) {
return;
}
try {
int mid = 0;
SQLiteCursor cursor = MessagesStorage.getInstance().getDatabase().queryFinalized(String.format(Locale.US, "SELECT mid FROM bot_keyboard WHERE uid = %d", did));
if (cursor.next()) {
mid = cursor.intValue(0);
}
cursor.dispose();
if (mid >= message.id) {
return;
}
SQLitePreparedStatement state = MessagesStorage.getInstance().getDatabase().executeFast("REPLACE INTO bot_keyboard VALUES(?, ?, ?)");
state.requery();
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(message.getObjectSize());
message.serializeToStream(data);
state.bindLong(1, did);
state.bindInteger(2, message.id);
state.bindByteBuffer(3, data.buffer);
state.step();
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
state.dispose();
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
TLRPC.Message old = botKeyboards.put(did, message);
if (old != null) {
botKeyboardsByMids.remove(old.id);
}
botKeyboardsByMids.put(message.id, did);
NotificationCenter.getInstance().postNotificationName(NotificationCenter.botKeyboardDidLoaded, message, did);
}
});
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
public static void putBotInfo(final TLRPC.BotInfo botInfo) {
if (botInfo == null || botInfo instanceof TLRPC.TL_botInfoEmpty) {
return;
}
botInfos.put(botInfo.user_id, botInfo);
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
@Override
public void run() {
try {
SQLitePreparedStatement state = MessagesStorage.getInstance().getDatabase().executeFast("REPLACE INTO bot_info(uid, info) VALUES(?, ?)");
state.requery();
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(botInfo.getObjectSize());
botInfo.serializeToStream(data);
state.bindInteger(1, botInfo.user_id);
state.bindByteBuffer(2, data.buffer);
state.step();
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
state.dispose();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
});
}
}

View File

@ -0,0 +1,137 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.android.query;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.MessageObject;
import org.telegram.android.MessagesController;
import org.telegram.android.MessagesStorage;
import org.telegram.android.NotificationCenter;
import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.RPCRequest;
import org.telegram.messenger.TLObject;
import org.telegram.messenger.TLRPC;
import java.util.ArrayList;
public class MessagesSearchQuery {
private static long reqId;
private static int lastReqId;
private static boolean messagesSearchEndReached;
private static ArrayList<MessageObject> searchResultMessages = new ArrayList<>();
private static String lastSearchQuery;
private static int lastReturnedNum;
private static int getMask() {
int mask = 0;
if (lastReturnedNum < searchResultMessages.size() - 1) {
mask |= 1;
}
if (lastReturnedNum > 0) {
mask |= 2;
}
return mask;
}
public static void searchMessagesInChat(String query, long dialog_id, final int guid, int direction) {
if (reqId != 0) {
ConnectionsManager.getInstance().cancelRpc(reqId, true);
reqId = 0;
}
int max_id = 0;
if (query == null || query.length() == 0) {
if (direction == 1) {
lastReturnedNum++;
if (lastReturnedNum < searchResultMessages.size()) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.chatSearchResultsAvailable, guid, searchResultMessages.get(lastReturnedNum).getId(), getMask());
return;
} else {
if (messagesSearchEndReached) {
lastReturnedNum--;
return;
}
query = lastSearchQuery;
max_id = searchResultMessages.get(searchResultMessages.size() - 1).getId();
}
} else if (direction == 2) {
lastReturnedNum--;
if (lastReturnedNum < 0) {
lastReturnedNum = 0;
return;
}
NotificationCenter.getInstance().postNotificationName(NotificationCenter.chatSearchResultsAvailable, guid, searchResultMessages.get(lastReturnedNum).getId(), getMask());
return;
} else {
return;
}
}
final TLRPC.TL_messages_search req = new TLRPC.TL_messages_search();
req.limit = 21;
int lower_part = (int) dialog_id;
if (lower_part < 0) {
req.peer = new TLRPC.TL_inputPeerChat();
req.peer.chat_id = -lower_part;
} else {
TLRPC.User user = MessagesController.getInstance().getUser(lower_part);
if (user == null) {
return;
}
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.access_hash = user.access_hash;
} else {
req.peer = new TLRPC.TL_inputPeerContact();
}
req.peer.user_id = lower_part;
}
req.q = query;
req.max_id = max_id;
req.filter = new TLRPC.TL_inputMessagesFilterEmpty();
final int currentReqId = ++lastReqId;
lastSearchQuery = query;
reqId = ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
@Override
public void run(final TLObject response, final TLRPC.TL_error error) {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
if (currentReqId == lastReqId) {
if (error == null) {
TLRPC.messages_Messages res = (TLRPC.messages_Messages) response;
MessagesStorage.getInstance().putUsersAndChats(res.users, res.chats, true, true);
MessagesController.getInstance().putUsers(res.users, false);
MessagesController.getInstance().putChats(res.chats, false);
if (req.max_id == 0) {
lastReturnedNum = 0;
searchResultMessages.clear();
}
boolean added = false;
for (int a = 0; a < Math.min(res.messages.size(), 20); a++) {
TLRPC.Message message = res.messages.get(a);
added = true;
searchResultMessages.add(new MessageObject(message, null, false));
}
messagesSearchEndReached = res.messages.size() != 21;
if (searchResultMessages.isEmpty()) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.chatSearchResultsAvailable, guid, 0, getMask());
} else {
if (added) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.chatSearchResultsAvailable, guid, searchResultMessages.get(lastReturnedNum).getId(), getMask());
}
}
}
}
reqId = 0;
}
});
}
}, true, RPCRequest.RPCRequestClassGeneric | RPCRequest.RPCRequestClassFailOnServerErrors);
}
}

View File

@ -55,7 +55,10 @@ public class SharedMediaQuery {
req.peer.chat_id = -lower_part; req.peer.chat_id = -lower_part;
} else { } else {
TLRPC.User user = MessagesController.getInstance().getUser(lower_part); TLRPC.User user = MessagesController.getInstance().getUser(lower_part);
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user == null) {
return;
}
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
} else { } else {
@ -98,7 +101,10 @@ public class SharedMediaQuery {
req.peer.chat_id = -lower_part; req.peer.chat_id = -lower_part;
} else { } else {
TLRPC.User user = MessagesController.getInstance().getUser(lower_part); TLRPC.User user = MessagesController.getInstance().getUser(lower_part);
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user == null) {
return;
}
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
} else { } else {

View File

@ -33,23 +33,31 @@ import org.telegram.ui.ActionBar.BaseFragment;
import org.telegram.ui.Components.StickersAlert; import org.telegram.ui.Components.StickersAlert;
import java.util.ArrayList; import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap; import java.util.HashMap;
public class StickersQuery { public class StickersQuery {
private static String hash; private static String loadHash;
private static int loadDate; private static int loadDate;
private static ArrayList<TLRPC.Document> stickers = new ArrayList<>(); private static ArrayList<TLRPC.TL_messages_stickerSet> stickerSets = new ArrayList<>();
private static HashMap<String, ArrayList<TLRPC.Document>> allStickers = new HashMap<>(); private static HashMap<Long, TLRPC.TL_messages_stickerSet> stickerSetsById = new HashMap<>();
private static ArrayList<TLRPC.TL_stickerPack> stickerPacks = new ArrayList<>();
private static ArrayList<TLRPC.TL_stickerSet> stickerSets = new ArrayList<>();
private static HashMap<Long, ArrayList<TLRPC.Document>> stickersBySets = new HashMap<>();
private static HashMap<Long, String> stickersByEmoji = new HashMap<>(); private static HashMap<Long, String> stickersByEmoji = new HashMap<>();
private static HashMap<Long, TLRPC.Document> stickersById = new HashMap<>();
private static HashMap<String, ArrayList<TLRPC.Document>> allStickers = new HashMap<>();
private static boolean loadingStickers; private static boolean loadingStickers;
private static boolean stickersLoaded; private static boolean stickersLoaded;
private static boolean hideMainStickersPack;
public static void cleanup() {
loadHash = null;
loadDate = 0;
allStickers.clear();
stickerSets.clear();
stickersByEmoji.clear();
stickerSetsById.clear();
loadingStickers = false;
stickersLoaded = false;
}
public static void checkStickers() { public static void checkStickers() {
if (!loadingStickers && (!stickersLoaded || loadDate < (System.currentTimeMillis() / 1000 - 60 * 60))) { if (!loadingStickers && (!stickersLoaded || loadDate < (System.currentTimeMillis() / 1000 - 60 * 60))) {
@ -61,28 +69,28 @@ public class StickersQuery {
return loadingStickers; return loadingStickers;
} }
public static TLRPC.Document getStickerById(long id) {
TLRPC.Document document = stickersById.get(id);
if (document != null) {
long setId = getStickerSetId(document);
TLRPC.TL_messages_stickerSet stickerSet = stickerSetsById.get(setId);
if (stickerSet != null && (stickerSet.set.flags & 2) != 0) {
return null;
}
}
return document;
}
public static HashMap<String, ArrayList<TLRPC.Document>> getAllStickers() { public static HashMap<String, ArrayList<TLRPC.Document>> getAllStickers() {
return allStickers; return allStickers;
} }
public static ArrayList<TLRPC.Document> getStickersForSet(long id) { public static ArrayList<TLRPC.TL_messages_stickerSet> getStickerSets() {
return stickersBySets.get(id);
}
public static ArrayList<TLRPC.TL_stickerPack> getStickerPacks() {
return stickerPacks;
}
public static ArrayList<TLRPC.Document> getStickers() {
return stickers;
}
public static ArrayList<TLRPC.TL_stickerSet> getStickerSets() {
return stickerSets; return stickerSets;
} }
public static boolean isStickerPackInstalled(long id) { public static boolean isStickerPackInstalled(long id) {
return stickersBySets.containsKey(id); return stickerSetsById.containsKey(id);
} }
public static String getEmojiForSticker(long id) { public static String getEmojiForSticker(long id) {
@ -99,43 +107,91 @@ public class StickersQuery {
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() { MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
TLRPC.messages_AllStickers result = null; ArrayList<TLRPC.TL_messages_stickerSet> newStickerArray = null;
int date = 0; int date = 0;
String hash = null;
try { try {
SQLiteCursor cursor = MessagesStorage.getInstance().getDatabase().queryFinalized("SELECT value FROM keyvalue WHERE id = 'hide_stickers'"); SQLiteCursor cursor = MessagesStorage.getInstance().getDatabase().queryFinalized("SELECT data, date, hash FROM stickers_v2 WHERE 1");
if (cursor.next()) {
int value = Utilities.parseInt(cursor.stringValue(0));
hideMainStickersPack = value == 1;
}
cursor.dispose();
cursor = MessagesStorage.getInstance().getDatabase().queryFinalized("SELECT data, date FROM stickers WHERE 1");
ArrayList<TLRPC.User> loadedUsers = new ArrayList<>();
if (cursor.next()) { if (cursor.next()) {
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0)); ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0));
if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) { if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) {
result = TLRPC.messages_AllStickers.TLdeserialize(data, data.readInt32(false), false); if (newStickerArray == null) {
newStickerArray = new ArrayList<>();
}
int count = data.readInt32(false);
for (int a = 0; a < count; a++) {
TLRPC.TL_messages_stickerSet stickerSet = TLRPC.TL_messages_stickerSet.TLdeserialize(data, data.readInt32(false), false);
newStickerArray.add(stickerSet);
}
} }
date = cursor.intValue(1); date = cursor.intValue(1);
hash = cursor.stringValue(2);
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data); MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
} }
cursor.dispose(); cursor.dispose();
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
processLoadedStickers(result, true, date); processLoadedStickers(newStickerArray, true, date, hash);
} }
}); });
} else { } else {
TLRPC.TL_messages_getAllStickers req = new TLRPC.TL_messages_getAllStickers(); TLRPC.TL_messages_getAllStickers req = new TLRPC.TL_messages_getAllStickers();
req.hash = hash == null || force ? "" : hash; req.hash = loadHash == null || force ? "" : loadHash;
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() { ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
@Override @Override
public void run(final TLObject response, final TLRPC.TL_error error) { public void run(final TLObject response, final TLRPC.TL_error error) {
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
processLoadedStickers((TLRPC.messages_AllStickers) response, false, (int) (System.currentTimeMillis() / 1000)); if (response instanceof TLRPC.TL_messages_allStickers) {
final HashMap<Long, TLRPC.TL_messages_stickerSet> newStickerSets = new HashMap<>();
final ArrayList<TLRPC.TL_messages_stickerSet> newStickerArray = new ArrayList<>();
final TLRPC.TL_messages_allStickers res = (TLRPC.TL_messages_allStickers) response;
for (int a = 0; a < res.sets.size(); a++) {
final TLRPC.StickerSet stickerSet = res.sets.get(a);
TLRPC.TL_messages_stickerSet oldSet = stickerSetsById.get(stickerSet.id);
if (oldSet != null && oldSet.set.hash == stickerSet.hash) {
oldSet.set.flags = stickerSet.flags;
newStickerSets.put(oldSet.set.id, oldSet);
newStickerArray.add(oldSet);
if (newStickerSets.size() == res.sets.size()) {
processLoadedStickers(newStickerArray, false, (int) (System.currentTimeMillis() / 1000), res.hash);
}
continue;
}
newStickerArray.add(null);
final int index = a;
TLRPC.TL_messages_getStickerSet req = new TLRPC.TL_messages_getStickerSet();
req.stickerset = new TLRPC.TL_inputStickerSetID();
req.stickerset.id = stickerSet.id;
req.stickerset.access_hash = stickerSet.access_hash;
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
@Override
public void run(final TLObject response, final TLRPC.TL_error error) {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
TLRPC.TL_messages_stickerSet res1 = (TLRPC.TL_messages_stickerSet) response;
newStickerArray.set(index, res1);
newStickerSets.put(stickerSet.id, res1);
if (newStickerSets.size() == res.sets.size()) {
processLoadedStickers(newStickerArray, false, (int) (System.currentTimeMillis() / 1000), res.hash);
}
}
});
}
});
}
} else {
processLoadedStickers(null, false, (int) (System.currentTimeMillis() / 1000), error == null ? "" : null);
}
} }
}); });
} }
@ -143,18 +199,26 @@ public class StickersQuery {
} }
} }
private static void putStickersToCache(final TLRPC.TL_messages_allStickers stickers) { private static void putStickersToCache(final ArrayList<TLRPC.TL_messages_stickerSet> stickers, final int date, final String hash) {
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() { MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
try { try {
SQLitePreparedStatement state = MessagesStorage.getInstance().getDatabase().executeFast("REPLACE INTO stickers VALUES(?, ?, ?)"); SQLitePreparedStatement state = MessagesStorage.getInstance().getDatabase().executeFast("REPLACE INTO stickers_v2 VALUES(?, ?, ?, ?)");
state.requery(); state.requery();
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(stickers.getObjectSize()); int size = 4;
stickers.serializeToStream(data); for (int a = 0; a < stickers.size(); a++) {
size += stickers.get(a).getObjectSize();
}
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(size);
data.writeInt32(stickers.size());
for (int a = 0; a < stickers.size(); a++) {
stickers.get(a).serializeToStream(data);
}
state.bindInteger(1, 1); state.bindInteger(1, 1);
state.bindByteBuffer(2, data.buffer); state.bindByteBuffer(2, data.buffer);
state.bindInteger(3, (int) (System.currentTimeMillis() / 1000)); state.bindInteger(3, date);
state.bindString(4, hash);
state.step(); state.step();
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data); MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
state.dispose(); state.dispose();
@ -177,7 +241,7 @@ public class StickersQuery {
return -1; return -1;
} }
private static void processLoadedStickers(final TLRPC.messages_AllStickers res, final boolean cache, final int date) { private static void processLoadedStickers(final ArrayList<TLRPC.TL_messages_stickerSet> res, final boolean cache, final int date, final String hash) {
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
@ -188,104 +252,77 @@ public class StickersQuery {
Utilities.stageQueue.postRunnable(new Runnable() { Utilities.stageQueue.postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
if ((res == null || date < (int) (System.currentTimeMillis() / 1000 - 60 * 60)) && cache) { if (cache && (res == null || date < (int) (System.currentTimeMillis() / 1000 - 60 * 60)) || !cache && res == null && hash == null) {
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
if (res != null && cache && hash != null) {
loadHash = hash;
}
loadStickers(false, false); loadStickers(false, false);
} }
}); }, res == null && !cache ? 1000 : 0);
if (res == null) { if (res == null) {
return; return;
} }
} }
if (res instanceof TLRPC.TL_messages_allStickers) { if (res != null) {
HashMap<Long, TLRPC.Document> documents = new HashMap<>(); final ArrayList<TLRPC.TL_messages_stickerSet> stickerSetsNew = new ArrayList<>();
final HashMap<Long, ArrayList<TLRPC.Document>> sets = new HashMap<>(); final HashMap<Long, TLRPC.TL_messages_stickerSet> stickerSetsByIdNew = new HashMap<>();
final ArrayList<TLRPC.Document> allDocuments = new ArrayList<>(); final HashMap<Long, String> stickersByEmojiNew = new HashMap<>();
final HashMap<Long, String> stickersEmoji = new HashMap<>(); final HashMap<Long, TLRPC.Document> stickersByIdNew = new HashMap<>();
for (TLRPC.Document document : res.documents) { final HashMap<String, ArrayList<TLRPC.Document>> allStickersNew = new HashMap<>();
if (document == null) {
for (int a = 0; a < res.size(); a++) {
TLRPC.TL_messages_stickerSet stickerSet = res.get(a);
if (stickerSet == null) {
continue; continue;
} }
stickerSetsNew.add(stickerSet);
stickerSetsByIdNew.put(stickerSet.set.id, stickerSet);
documents.put(document.id, document); for (int b = 0; b < stickerSet.documents.size(); b++) {
long setId = getStickerSetId(document); TLRPC.Document document = stickerSet.documents.get(b);
if (setId != -1 || setId == -1 && !hideMainStickersPack) { if (document == null || document instanceof TLRPC.TL_documentEmpty) {
allDocuments.add(document); continue;
}
ArrayList<TLRPC.Document> docs = sets.get(setId);
if (docs == null) {
docs = new ArrayList<>();
sets.put(setId, docs);
if (setId == -1) {
boolean contain = false;
for (TLRPC.TL_stickerSet set : res.sets) {
if (set.id == setId) {
contain = true;
break;
}
}
if (!contain) {
TLRPC.TL_stickerSet set = new TLRPC.TL_stickerSet();
set.title = set.short_name = "";
set.id = -1;
res.sets.add(0, set);
}
} }
stickersByIdNew.put(document.id, document);
} }
docs.add(document); if ((stickerSet.set.flags & 2) == 0) {
} for (int b = 0; b < stickerSet.packs.size(); b++) {
final HashMap<String, ArrayList<TLRPC.Document>> result = new HashMap<>(); TLRPC.TL_stickerPack stickerPack = stickerSet.packs.get(b);
for (TLRPC.TL_stickerPack stickerPack : res.packs) { if (stickerPack == null || stickerPack.emoticon == null) {
if (stickerPack != null && stickerPack.emoticon != null) { continue;
stickerPack.emoticon = stickerPack.emoticon.replace("\uFE0F", "");
ArrayList<TLRPC.Document> arrayList = result.get(stickerPack.emoticon);
for (Long id : stickerPack.documents) {
if (!stickersEmoji.containsKey(id)) {
stickersEmoji.put(id, stickerPack.emoticon);
} }
TLRPC.Document document = documents.get(id); stickerPack.emoticon = stickerPack.emoticon.replace("\uFE0F", "");
if (document != null) { ArrayList<TLRPC.Document> arrayList = allStickersNew.get(stickerPack.emoticon);
long setId = getStickerSetId(document); if (arrayList == null) {
if (setId == -1 && hideMainStickersPack) { arrayList = new ArrayList<>();
continue; allStickersNew.put(stickerPack.emoticon, arrayList);
}
for (int c = 0; c < stickerPack.documents.size(); c++) {
Long id = stickerPack.documents.get(c);
if (!stickersByEmojiNew.containsKey(id)) {
stickersByEmojiNew.put(id, stickerPack.emoticon);
} }
arrayList.add(stickersByIdNew.get(id));
if (arrayList == null) {
arrayList = new ArrayList<>();
result.put(stickerPack.emoticon, arrayList);
}
arrayList.add(document);
} }
} }
} }
} }
Collections.sort(allDocuments, new Comparator<TLRPC.Document>() {
@Override
public int compare(TLRPC.Document lhs, TLRPC.Document rhs) {
long lid = getStickerSetId(lhs);
long rid = getStickerSetId(rhs);
if (lid < rid) {
return -1;
} else if (lid > rid) {
return 1;
}
return 0;
}
});
if (!cache) { if (!cache) {
putStickersToCache((TLRPC.TL_messages_allStickers) res); putStickersToCache(stickerSetsNew, date, hash);
} }
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {
stickerSets = res.sets; stickersById = stickersByIdNew;
allStickers = result; stickerSetsById = stickerSetsByIdNew;
stickers = allDocuments; stickerSets = stickerSetsNew;
stickersBySets = sets; allStickers = allStickersNew;
stickersByEmoji = stickersEmoji; stickersByEmoji = stickersByEmojiNew;
hash = res.hash; loadHash = hash;
loadDate = date; loadDate = date;
NotificationCenter.getInstance().postNotificationName(NotificationCenter.stickersDidLoaded); NotificationCenter.getInstance().postNotificationName(NotificationCenter.stickersDidLoaded);
} }
@ -323,7 +360,7 @@ public class StickersQuery {
if (error == null) { if (error == null) {
final TLRPC.TL_messages_stickerSet res = (TLRPC.TL_messages_stickerSet) response; final TLRPC.TL_messages_stickerSet res = (TLRPC.TL_messages_stickerSet) response;
StickersAlert alert = new StickersAlert(fragment.getParentActivity(), res.set, res.documents); StickersAlert alert = new StickersAlert(fragment.getParentActivity(), res);
if (res.set == null || !StickersQuery.isStickerPackInstalled(res.set.id)) { if (res.set == null || !StickersQuery.isStickerPackInstalled(res.set.id)) {
alert.setButton(AlertDialog.BUTTON_POSITIVE, LocaleController.getString("AddStickers", R.string.AddStickers), new DialogInterface.OnClickListener() { alert.setButton(AlertDialog.BUTTON_POSITIVE, LocaleController.getString("AddStickers", R.string.AddStickers), new DialogInterface.OnClickListener() {
@Override @Override
@ -354,7 +391,7 @@ public class StickersQuery {
alert.setButton(AlertDialog.BUTTON_NEUTRAL, LocaleController.getString("StickersRemove", R.string.StickersRemove), new DialogInterface.OnClickListener() { alert.setButton(AlertDialog.BUTTON_NEUTRAL, LocaleController.getString("StickersRemove", R.string.StickersRemove), new DialogInterface.OnClickListener() {
@Override @Override
public void onClick(DialogInterface dialog, int which) { public void onClick(DialogInterface dialog, int which) {
removeStickersSet(fragment.getParentActivity(), res.set); removeStickersSet(fragment.getParentActivity(), res.set, 0);
} }
}); });
} }
@ -385,53 +422,54 @@ public class StickersQuery {
progressDialog.show(); progressDialog.show();
} }
public static void setHideMainStickersPack(final boolean value) { public static void removeStickersSet(final Context context, TLRPC.StickerSet stickerSet, int hide) {
hideMainStickersPack = value; TLRPC.TL_inputStickerSetID stickerSetID = new TLRPC.TL_inputStickerSetID();
MessagesStorage.getInstance().getStorageQueue().postRunnable(new Runnable() { stickerSetID.access_hash = stickerSet.access_hash;
@Override stickerSetID.id = stickerSet.id;
public void run() { if (hide != 0) {
try { if (hide == 1) {
SQLitePreparedStatement state = MessagesStorage.getInstance().getDatabase().executeFast("REPLACE INTO keyvalue VALUES(?, ?)"); stickerSet.flags |= 2;
state.requery(); } else {
state.bindString(1, "hide_stickers"); stickerSet.flags &= ~2;
state.bindString(2, value ? "1" : "0");
state.step();
state.dispose();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} }
}); NotificationCenter.getInstance().postNotificationName(NotificationCenter.stickersDidLoaded);
} TLRPC.TL_messages_installStickerSet req = new TLRPC.TL_messages_installStickerSet();
req.stickerset = stickerSetID;
public static void removeStickersSet(final Context context, TLRPC.TL_stickerSet stickerSet) { req.disabled = hide == 1;
TLRPC.TL_messages_uninstallStickerSet req = new TLRPC.TL_messages_uninstallStickerSet(); ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
req.stickerset = new TLRPC.TL_inputStickerSetID(); @Override
req.stickerset.access_hash = stickerSet.access_hash; public void run(TLObject response, final TLRPC.TL_error error) {
req.stickerset.id = stickerSet.id; AndroidUtilities.runOnUIThread(new Runnable() {
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() { @Override
@Override public void run() {
public void run(TLObject response, final TLRPC.TL_error error) { loadStickers(false, true);
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
try {
if (error == null) {
Toast.makeText(context, LocaleController.getString("StickersRemoved", R.string.StickersRemoved), Toast.LENGTH_SHORT).show();
} else {
Toast.makeText(context, LocaleController.getString("ErrorOccurred", R.string.ErrorOccurred), Toast.LENGTH_SHORT).show();
}
} catch (Exception e) {
FileLog.e("tmessages", e);
} }
loadStickers(false, true); }, 1000);
} }
}); });
} } else {
}); TLRPC.TL_messages_uninstallStickerSet req = new TLRPC.TL_messages_uninstallStickerSet();
} req.stickerset = stickerSetID;
ConnectionsManager.getInstance().performRpc(req, new RPCRequest.RPCRequestDelegate() {
public static boolean getHideMainStickersPack() { @Override
return hideMainStickersPack; public void run(TLObject response, final TLRPC.TL_error error) {
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
try {
if (error == null) {
Toast.makeText(context, LocaleController.getString("StickersRemoved", R.string.StickersRemoved), Toast.LENGTH_SHORT).show();
} else {
Toast.makeText(context, LocaleController.getString("ErrorOccurred", R.string.ErrorOccurred), Toast.LENGTH_SHORT).show();
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
loadStickers(false, true);
}
});
}
});
}
} }
} }

View File

@ -5030,7 +5030,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* @see #notifyItemRangeInserted(int, int) * @see #notifyItemRangeInserted(int, int)
* @see #notifyItemRangeRemoved(int, int) * @see #notifyItemRangeRemoved(int, int)
*/ */
public final void notifyDataSetChanged() { public void notifyDataSetChanged() {
mObservable.notifyChanged(); mObservable.notifyChanged();
} }
@ -5045,7 +5045,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* *
* @see #notifyItemRangeChanged(int, int) * @see #notifyItemRangeChanged(int, int)
*/ */
public final void notifyItemChanged(int position) { public void notifyItemChanged(int position) {
mObservable.notifyItemRangeChanged(position, 1); mObservable.notifyItemRangeChanged(position, 1);
} }
@ -5062,7 +5062,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* *
* @see #notifyItemChanged(int) * @see #notifyItemChanged(int)
*/ */
public final void notifyItemRangeChanged(int positionStart, int itemCount) { public void notifyItemRangeChanged(int positionStart, int itemCount) {
mObservable.notifyItemRangeChanged(positionStart, itemCount); mObservable.notifyItemRangeChanged(positionStart, itemCount);
} }
@ -5079,7 +5079,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* *
* @see #notifyItemRangeInserted(int, int) * @see #notifyItemRangeInserted(int, int)
*/ */
public final void notifyItemInserted(int position) { public void notifyItemInserted(int position) {
mObservable.notifyItemRangeInserted(position, 1); mObservable.notifyItemRangeInserted(position, 1);
} }
@ -5094,7 +5094,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* @param fromPosition Previous position of the item. * @param fromPosition Previous position of the item.
* @param toPosition New position of the item. * @param toPosition New position of the item.
*/ */
public final void notifyItemMoved(int fromPosition, int toPosition) { public void notifyItemMoved(int fromPosition, int toPosition) {
mObservable.notifyItemMoved(fromPosition, toPosition); mObservable.notifyItemMoved(fromPosition, toPosition);
} }
@ -5113,7 +5113,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* *
* @see #notifyItemInserted(int) * @see #notifyItemInserted(int)
*/ */
public final void notifyItemRangeInserted(int positionStart, int itemCount) { public void notifyItemRangeInserted(int positionStart, int itemCount) {
mObservable.notifyItemRangeInserted(positionStart, itemCount); mObservable.notifyItemRangeInserted(positionStart, itemCount);
} }
@ -5130,7 +5130,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* *
* @see #notifyItemRangeRemoved(int, int) * @see #notifyItemRangeRemoved(int, int)
*/ */
public final void notifyItemRemoved(int position) { public void notifyItemRemoved(int position) {
mObservable.notifyItemRangeRemoved(position, 1); mObservable.notifyItemRangeRemoved(position, 1);
} }
@ -5147,7 +5147,7 @@ public class RecyclerView extends ViewGroup implements ScrollingView {
* @param positionStart Previous position of the first item that was removed * @param positionStart Previous position of the first item that was removed
* @param itemCount Number of items removed from the data set * @param itemCount Number of items removed from the data set
*/ */
public final void notifyItemRangeRemoved(int positionStart, int itemCount) { public void notifyItemRangeRemoved(int positionStart, int itemCount) {
mObservable.notifyItemRangeRemoved(positionStart, itemCount); mObservable.notifyItemRangeRemoved(positionStart, itemCount);
} }
} }

View File

@ -10,7 +10,7 @@ package org.telegram.messenger;
public class BuildVars { public class BuildVars {
public static boolean DEBUG_VERSION = false; public static boolean DEBUG_VERSION = false;
public static int BUILD_VERSION = 542; public static int BUILD_VERSION = 572;
public static int APP_ID = 0; //obtain your own APP_ID at https://core.telegram.org/api/obtaining_api_id public static int APP_ID = 0; //obtain your own APP_ID at https://core.telegram.org/api/obtaining_api_id
public static String APP_HASH = ""; //obtain your own APP_HASH at https://core.telegram.org/api/obtaining_api_id public static String APP_HASH = ""; //obtain your own APP_HASH at https://core.telegram.org/api/obtaining_api_id
public static String HOCKEY_APP_HASH = "your-hockeyapp-api-key-here"; public static String HOCKEY_APP_HASH = "your-hockeyapp-api-key-here";

View File

@ -33,6 +33,7 @@ import java.net.NetworkInterface;
import java.util.ArrayList; import java.util.ArrayList;
import java.util.Enumeration; import java.util.Enumeration;
import java.util.HashMap; import java.util.HashMap;
import java.util.List;
import java.util.Locale; import java.util.Locale;
import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentHashMap;
import java.util.regex.Matcher; import java.util.regex.Matcher;
@ -132,7 +133,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (lastPauseTime != 0 && lastPauseTime < currentTime - nextSleepTimeout) { if (lastPauseTime != 0 && lastPauseTime < currentTime - nextSleepTimeout) {
boolean dontSleep = !pushMessagesReceived; boolean dontSleep = !pushMessagesReceived;
if (!dontSleep) { if (!dontSleep) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.rawRequest instanceof TLRPC.TL_get_future_salts) { if (request.rawRequest instanceof TLRPC.TL_get_future_salts) {
dontSleep = true; dontSleep = true;
} else if (request.retryCount < 10 && (request.runningStartTime + 60 > (int) (currentTime / 1000)) && ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) != 0 || (request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0)) { } else if (request.retryCount < 10 && (request.runningStartTime + 60 > (int) (currentTime / 1000)) && ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) != 0 || (request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0)) {
@ -142,7 +144,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
} }
if (!dontSleep) { if (!dontSleep) {
for (RPCRequest request : requestQueue) { for (int a = 0; a < requestQueue.size(); a++) {
RPCRequest request = requestQueue.get(a);
if (request.rawRequest instanceof TLRPC.TL_get_future_salts) { if (request.rawRequest instanceof TLRPC.TL_get_future_salts) {
dontSleep = true; dontSleep = true;
} else if ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) != 0 || (request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0) { } else if ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) != 0 || (request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0) {
@ -190,7 +193,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
processRequestQueue(0, 0); processRequestQueue(0, 0);
} else { } else {
boolean notFound = true; boolean notFound = true;
for (Action actor : actionQueue) { for (int a = 0; a < actionQueue.size(); a++) {
Action actor = actionQueue.get(a);
if (actor instanceof HandshakeAction) { if (actor instanceof HandshakeAction) {
HandshakeAction eactor = (HandshakeAction) actor; HandshakeAction eactor = (HandshakeAction) actor;
if (eactor.datacenter.datacenterId == datacenter.datacenterId) { if (eactor.datacenter.datacenterId == datacenter.datacenterId) {
@ -536,7 +540,9 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
continue; continue;
} }
FileLog.e("tmessages", "valid interface: " + networkInterface); FileLog.e("tmessages", "valid interface: " + networkInterface);
for (InterfaceAddress address : networkInterface.getInterfaceAddresses()) { List<InterfaceAddress> interfaceAddresses = networkInterface.getInterfaceAddresses();
for (int a = 0; a < interfaceAddresses.size(); a++) {
InterfaceAddress address = interfaceAddresses.get(a);
InetAddress inetAddress = address.getAddress(); InetAddress inetAddress = address.getAddress();
if (BuildVars.DEBUG_VERSION) { if (BuildVars.DEBUG_VERSION) {
FileLog.e("tmessages", "address: " + inetAddress.getHostAddress()); FileLog.e("tmessages", "address: " + inetAddress.getHostAddress());
@ -553,20 +559,22 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} }
if (Build.VERSION.SDK_INT < 50) { if (Build.VERSION.SDK_INT < 19) {
return false; return false;
} }
try { try {
NetworkInterface networkInterface; NetworkInterface networkInterface;
Enumeration<NetworkInterface> networkInterfaces = NetworkInterface.getNetworkInterfaces(); Enumeration<NetworkInterface> networkInterfaces = NetworkInterface.getNetworkInterfaces();
boolean hasIpv4 = false;
boolean hasIpv6 = false;
while (networkInterfaces.hasMoreElements()) { while (networkInterfaces.hasMoreElements()) {
networkInterface = networkInterfaces.nextElement(); networkInterface = networkInterfaces.nextElement();
if (!networkInterface.isUp() || networkInterface.isLoopback()) { if (!networkInterface.isUp() || networkInterface.isLoopback()) {
continue; continue;
} }
boolean hasIpv4 = false; List<InterfaceAddress> interfaceAddresses = networkInterface.getInterfaceAddresses();
boolean hasIpv6 = false; for (int a = 0; a < interfaceAddresses.size(); a++) {
for (InterfaceAddress address : networkInterface.getInterfaceAddresses()) { InterfaceAddress address = interfaceAddresses.get(a);
InetAddress inetAddress = address.getAddress(); InetAddress inetAddress = address.getAddress();
if (inetAddress.isLinkLocalAddress() || inetAddress.isLoopbackAddress() || inetAddress.isMulticastAddress()) { if (inetAddress.isLinkLocalAddress() || inetAddress.isLoopbackAddress() || inetAddress.isMulticastAddress()) {
continue; continue;
@ -574,12 +582,15 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (inetAddress instanceof Inet6Address) { if (inetAddress instanceof Inet6Address) {
hasIpv6 = true; hasIpv6 = true;
} else if (inetAddress instanceof Inet4Address) { } else if (inetAddress instanceof Inet4Address) {
hasIpv4 = true; String addrr = inetAddress.getHostAddress();
if (!addrr.startsWith("192.0.0.")) {
hasIpv4 = true;
}
} }
} }
if (!hasIpv4 && hasIpv6) { }
return true; if (!hasIpv4 && hasIpv6) {
} return true;
} }
} catch (Throwable e) { } catch (Throwable e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
@ -609,8 +620,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (!sessions.isEmpty()) { if (!sessions.isEmpty()) {
SerializedData data = new SerializedData(sessions.size() * 8 + 4); SerializedData data = new SerializedData(sessions.size() * 8 + 4);
data.writeInt32(sessions.size()); data.writeInt32(sessions.size());
for (long session : sessions) { for (int a = 0; a < sessions.size(); a++) {
data.writeInt64(session); data.writeInt64(sessions.get(a));
} }
editor.putString("sessionsToDestroy", Base64.encodeToString(data.toByteArray(), Base64.DEFAULT)); editor.putString("sessionsToDestroy", Base64.encodeToString(data.toByteArray(), Base64.DEFAULT));
data.cleanup(); data.cleanup();
@ -648,7 +659,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
void clearRequestsForRequestClass(int requestClass, Datacenter datacenter) { void clearRequestsForRequestClass(int requestClass, Datacenter datacenter) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
Datacenter dcenter = datacenterWithId(request.runningDatacenterId); Datacenter dcenter = datacenterWithId(request.runningDatacenterId);
if ((request.flags & requestClass) != 0 && dcenter != null && dcenter.datacenterId == datacenter.datacenterId) { if ((request.flags & requestClass) != 0 && dcenter != null && dcenter.datacenterId == datacenter.datacenterId) {
request.runningMessageId = 0; request.runningMessageId = 0;
@ -736,7 +748,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
public void cancelRpcsForClassGuid(int guid) { public void cancelRpcsForClassGuid(int guid) {
ArrayList<Long> requests = requestsByGuids.get(guid); ArrayList<Long> requests = requestsByGuids.get(guid);
if (requests != null) { if (requests != null) {
for (Long request : requests) { for (int a = 0; a < requests.size(); a++) {
Long request = requests.get(a);
cancelRpc(request, true); cancelRpc(request, true);
} }
requestsByGuids.remove(guid); requestsByGuids.remove(guid);
@ -858,7 +871,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
lastDcUpdateTime = (int) (System.currentTimeMillis() / 1000) - DC_UPDATE_TIME + updateIn; lastDcUpdateTime = (int) (System.currentTimeMillis() / 1000) - DC_UPDATE_TIME + updateIn;
ArrayList<Datacenter> datacentersArr = new ArrayList<>(); ArrayList<Datacenter> datacentersArr = new ArrayList<>();
HashMap<Integer, Datacenter> datacenterMap = new HashMap<>(); HashMap<Integer, Datacenter> datacenterMap = new HashMap<>();
for (TLRPC.TL_dcOption datacenterDesc : config.dc_options) { for (int a = 0; a < config.dc_options.size(); a++) {
TLRPC.TL_dcOption datacenterDesc = config.dc_options.get(a);
Datacenter existing = datacenterMap.get(datacenterDesc.id); Datacenter existing = datacenterMap.get(datacenterDesc.id);
if (existing == null) { if (existing == null) {
existing = new Datacenter(); existing = new Datacenter();
@ -870,7 +884,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
if (!datacentersArr.isEmpty()) { if (!datacentersArr.isEmpty()) {
for (Datacenter datacenter : datacentersArr) { for (int a = 0; a < datacentersArr.size(); a++) {
Datacenter datacenter = datacentersArr.get(a);
Datacenter exist = datacenterWithId(datacenter.datacenterId); Datacenter exist = datacenterWithId(datacenter.datacenterId);
if (exist == null) { if (exist == null) {
datacenters.put(datacenter.datacenterId, datacenter); datacenters.put(datacenter.datacenterId, datacenter);
@ -1281,7 +1296,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (genericConnection != null && genericConnection.channelToken != 0) { if (genericConnection != null && genericConnection.channelToken != 0) {
Datacenter currentDatacenter = datacenterWithId(currentDatacenterId); Datacenter currentDatacenter = datacenterWithId(currentDatacenterId);
for (Long it : sessionsToDestroy) { for (int a = 0; a < sessionsToDestroy.size(); a++) {
Long it = sessionsToDestroy.get(a);
if (destroyingSessions.contains(it)) { if (destroyingSessions.contains(it)) {
continue; continue;
} }
@ -1304,7 +1320,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
int uploadRunningRequestCount = 0; int uploadRunningRequestCount = 0;
int downloadRunningRequestCount = 0; int downloadRunningRequestCount = 0;
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if ((request.flags & RPCRequest.RPCRequestClassGeneric) != 0) { if ((request.flags & RPCRequest.RPCRequestClassGeneric) != 0) {
genericRunningRequestCount++; genericRunningRequestCount++;
} else if ((request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0) { } else if ((request.flags & RPCRequest.RPCRequestClassUploadMedia) != 0) {
@ -1481,7 +1498,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
boolean hasSendMessage = false; boolean hasSendMessage = false;
ArrayList<NetworkMessage> arr = genericMessagesToDatacenters.get(iter); ArrayList<NetworkMessage> arr = genericMessagesToDatacenters.get(iter);
for (NetworkMessage networkMessage : arr) { for (int b = 0; b < arr.size(); b++) {
NetworkMessage networkMessage = arr.get(b);
TLRPC.TL_protoMessage message = networkMessage.protoMessage; TLRPC.TL_protoMessage message = networkMessage.protoMessage;
Object rawRequest = networkMessage.rawRequest; Object rawRequest = networkMessage.rawRequest;
@ -1502,7 +1520,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
scannedPreviousRequests = true; scannedPreviousRequests = true;
ArrayList<Long> currentRequests = new ArrayList<>(); ArrayList<Long> currentRequests = new ArrayList<>();
for (NetworkMessage currentNetworkMessage : arr) { for (int a = 0; a < arr.size(); a++) {
NetworkMessage currentNetworkMessage = arr.get(a);
TLRPC.TL_protoMessage currentMessage = currentNetworkMessage.protoMessage; TLRPC.TL_protoMessage currentMessage = currentNetworkMessage.protoMessage;
Object currentRawRequest = currentNetworkMessage.rawRequest; Object currentRawRequest = currentNetworkMessage.rawRequest;
@ -1519,7 +1538,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
long maxRequestId = 0; long maxRequestId = 0;
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.rawRequest instanceof TLRPC.TL_messages_sendMessage || if (request.rawRequest instanceof TLRPC.TL_messages_sendMessage ||
request.rawRequest instanceof TLRPC.TL_messages_sendMedia || request.rawRequest instanceof TLRPC.TL_messages_sendMedia ||
request.rawRequest instanceof TLRPC.TL_messages_forwardMessages || request.rawRequest instanceof TLRPC.TL_messages_forwardMessages ||
@ -1564,10 +1584,12 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
updateDcSettings(0); updateDcSettings(0);
} }
for (int num : neededDatacenterIds) { for (int a = 0; a < neededDatacenterIds.size(); a++) {
int num = neededDatacenterIds.get(a);
if (num != movingToDatacenterId) { if (num != movingToDatacenterId) {
boolean notFound = true; boolean notFound = true;
for (Action actor : actionQueue) { for (int b = 0; b < actionQueue.size(); b++) {
Action actor = actionQueue.get(b);
if (actor instanceof HandshakeAction) { if (actor instanceof HandshakeAction) {
HandshakeAction eactor = (HandshakeAction) actor; HandshakeAction eactor = (HandshakeAction) actor;
if (eactor.datacenter.datacenterId == num) { if (eactor.datacenter.datacenterId == num) {
@ -1584,10 +1606,12 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
} }
for (int num : unauthorizedDatacenterIds) { for (int a = 0; a < unauthorizedDatacenterIds.size(); a++) {
int num = unauthorizedDatacenterIds.get(a);
if (num != currentDatacenterId && num != movingToDatacenterId && UserConfig.isClientActivated()) { if (num != currentDatacenterId && num != movingToDatacenterId && UserConfig.isClientActivated()) {
boolean notFound = true; boolean notFound = true;
for (Action actor : actionQueue) { for (int b = 0; b < actionQueue.size(); b++) {
Action actor = actionQueue.get(b);
if (actor instanceof ExportAuthorizationAction) { if (actor instanceof ExportAuthorizationAction) {
ExportAuthorizationAction eactor = (ExportAuthorizationAction) actor; ExportAuthorizationAction eactor = (ExportAuthorizationAction) actor;
if (eactor.datacenter.datacenterId == num) { if (eactor.datacenter.datacenterId == num) {
@ -1677,7 +1701,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (reportAck && quickAckId.size() != 0) { if (reportAck && quickAckId.size() != 0) {
ArrayList<Long> requestIds = new ArrayList<>(); ArrayList<Long> requestIds = new ArrayList<>();
for (NetworkMessage message : messagesToSend) { for (int b = 0; b < messagesToSend.size(); b++) {
NetworkMessage message = messagesToSend.get(b);
if (message.requestId != 0) { if (message.requestId != 0) {
requestIds.add(message.requestId); requestIds.add(message.requestId);
} }
@ -1756,7 +1781,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
ArrayList<TLRPC.TL_protoMessage> containerMessages = new ArrayList<>(messages.size()); ArrayList<TLRPC.TL_protoMessage> containerMessages = new ArrayList<>(messages.size());
for (NetworkMessage networkMessage : messages) { for (int a = 0; a < messages.size(); a++) {
NetworkMessage networkMessage = messages.get(a);
TLRPC.TL_protoMessage message = networkMessage.protoMessage; TLRPC.TL_protoMessage message = networkMessage.protoMessage;
containerMessages.add(message); containerMessages.add(message);
if (BuildVars.DEBUG_VERSION) { if (BuildVars.DEBUG_VERSION) {
@ -1841,7 +1867,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
Utilities.stageQueue.postRunnable(new Runnable() { Utilities.stageQueue.postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
for (RPCRequest request : requestQueue) { for (int a = 0; a < requestQueue.size(); a++) {
RPCRequest request = requestQueue.get(a);
if (request.rawRequest instanceof TLRPC.TL_get_future_salts) { if (request.rawRequest instanceof TLRPC.TL_get_future_salts) {
Datacenter requestDatacenter = datacenterWithId(request.runningDatacenterId); Datacenter requestDatacenter = datacenterWithId(request.runningDatacenterId);
if (requestDatacenter.datacenterId == datacenter.datacenterId) { if (requestDatacenter.datacenterId == datacenter.datacenterId) {
@ -1850,7 +1877,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
} }
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.rawRequest instanceof TLRPC.TL_get_future_salts) { if (request.rawRequest instanceof TLRPC.TL_get_future_salts) {
Datacenter requestDatacenter = datacenterWithId(request.runningDatacenterId); Datacenter requestDatacenter = datacenterWithId(request.runningDatacenterId);
if (requestDatacenter.datacenterId == datacenter.datacenterId) { if (requestDatacenter.datacenterId == datacenter.datacenterId) {
@ -1881,7 +1909,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
Utilities.stageQueue.postRunnable(new Runnable() { Utilities.stageQueue.postRunnable(new Runnable() {
@Override @Override
public void run() { public void run() {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (requestMsgId == request.runningMessageId) { if (requestMsgId == request.runningMessageId) {
request.confirmed = true; request.confirmed = true;
} }
@ -1991,7 +2020,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
serverSaltDesc.value = serverSalt; serverSaltDesc.value = serverSalt;
datacenter.addServerSalt(serverSaltDesc); datacenter.addServerSalt(serverSaltDesc);
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
Datacenter dcenter = datacenterWithId(request.runningDatacenterId); Datacenter dcenter = datacenterWithId(request.runningDatacenterId);
if (request.runningMessageId < newSession.first_msg_id && (request.flags & connection.transportRequestClass) != 0 && dcenter != null && dcenter.datacenterId == datacenter.datacenterId) { if (request.runningMessageId < newSession.first_msg_id && (request.flags & connection.transportRequestClass) != 0 && dcenter != null && dcenter.datacenterId == datacenter.datacenterId) {
request.runningMessageId = 0; request.runningMessageId = 0;
@ -2021,7 +2051,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
}*/ }*/
TLRPC.TL_msg_container messageContainer = (TLRPC.TL_msg_container) message; TLRPC.TL_msg_container messageContainer = (TLRPC.TL_msg_container) message;
for (TLRPC.TL_protoMessage innerMessage : messageContainer.messages) { for (int a = 0; a < messageContainer.messages.size(); a++) {
TLRPC.TL_protoMessage innerMessage = messageContainer.messages.get(a);
long innerMessageId = innerMessage.msg_id; long innerMessageId = innerMessage.msg_id;
if (innerMessage.seqno % 2 != 0) { if (innerMessage.seqno % 2 != 0) {
connection.addMessageToConfirm(innerMessageId); connection.addMessageToConfirm(innerMessageId);
@ -2060,8 +2091,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
itemsToDelete.add(pid); itemsToDelete.add(pid);
} }
} }
for (Long pid : itemsToDelete) { for (int a = 0; a < itemsToDelete.size(); a++) {
pingIdToDate.remove(pid); pingIdToDate.remove(itemsToDelete.get(a));
} }
} else { } else {
FileLog.e("tmessages", "received push ping"); FileLog.e("tmessages", "received push ping");
@ -2070,7 +2101,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} else if (message instanceof TLRPC.TL_futuresalts) { } else if (message instanceof TLRPC.TL_futuresalts) {
TLRPC.TL_futuresalts futureSalts = (TLRPC.TL_futuresalts) message; TLRPC.TL_futuresalts futureSalts = (TLRPC.TL_futuresalts) message;
long requestMid = futureSalts.req_msg_id; long requestMid = futureSalts.req_msg_id;
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.respondsToMessageId(requestMid)) { if (request.respondsToMessageId(requestMid)) {
if (request.completionBlock != null) { if (request.completionBlock != null) {
request.completionBlock.run(futureSalts, null); request.completionBlock.run(futureSalts, null);
@ -2090,7 +2122,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
ArrayList<Long> lst = new ArrayList<>(); ArrayList<Long> lst = new ArrayList<>();
lst.addAll(sessionsToDestroy); lst.addAll(sessionsToDestroy);
destroyingSessions.remove(res.session_id); destroyingSessions.remove(res.session_id);
for (long session : lst) { for (int a = 0; a < lst.size(); a++) {
long session = lst.get(a);
if (session == res.session_id) { if (session == res.session_id) {
sessionsToDestroy.remove(session); sessionsToDestroy.remove(session);
FileLog.d("tmessages", String.format("Destroyed session %d (%s)", res.session_id, res instanceof TLRPC.TL_destroy_session_ok ? "ok" : "not found")); FileLog.d("tmessages", String.format("Destroyed session %d (%s)", res.session_id, res instanceof TLRPC.TL_destroy_session_ok ? "ok" : "not found"));
@ -2114,7 +2147,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
migrateErrors.add("NETWORK_MIGRATE_"); migrateErrors.add("NETWORK_MIGRATE_");
migrateErrors.add("PHONE_MIGRATE_"); migrateErrors.add("PHONE_MIGRATE_");
migrateErrors.add("USER_MIGRATE_"); migrateErrors.add("USER_MIGRATE_");
for (String possibleError : migrateErrors) { for (int a = 0; a < migrateErrors.size(); a++) {
String possibleError = migrateErrors.get(a);
if (errorMessage.contains(possibleError)) { if (errorMessage.contains(possibleError)) {
String errorMsg = errorMessage.replace(possibleError, ""); String errorMsg = errorMessage.replace(possibleError, "");
@ -2152,7 +2186,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
if (!ignoreResult) { if (!ignoreResult) {
boolean found = false; boolean found = false;
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.respondsToMessageId(resultMid)) { if (request.respondsToMessageId(resultMid)) {
found = true; found = true;
@ -2356,7 +2391,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
long resultMid = ((TLRPC.TL_bad_server_salt) message).bad_msg_id; long resultMid = ((TLRPC.TL_bad_server_salt) message).bad_msg_id;
if (resultMid != 0) { if (resultMid != 0) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) == 0) { if ((request.flags & RPCRequest.RPCRequestClassDownloadMedia) == 0) {
continue; continue;
} }
@ -2389,7 +2425,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
boolean confirm = true; boolean confirm = true;
if (detailedInfo instanceof TLRPC.TL_msg_detailed_info) { if (detailedInfo instanceof TLRPC.TL_msg_detailed_info) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (request.respondsToMessageId(detailedInfo.msg_id)) { if (request.respondsToMessageId(detailedInfo.msg_id)) {
if (request.completed) { if (request.completed) {
break; break;
@ -2486,8 +2523,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
itemsToDelete.add(pid); itemsToDelete.add(pid);
} }
} }
for (Long pid : itemsToDelete) { for (int a = 0; a < itemsToDelete.size(); a++) {
pingIdToDate.remove(pid); pingIdToDate.remove(itemsToDelete.get(a));
} }
} }
} }
@ -2605,7 +2642,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
public void tcpConnectionQuiackAckReceived(TcpConnection connection, int ack) { public void tcpConnectionQuiackAckReceived(TcpConnection connection, int ack) {
ArrayList<Long> arr = quickAckIdToRequestIds.get(ack); ArrayList<Long> arr = quickAckIdToRequestIds.get(ack);
if (arr != null) { if (arr != null) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (arr.contains(request.token)) { if (arr.contains(request.token)) {
if (request.quickAckBlock != null) { if (request.quickAckBlock != null) {
request.quickAckBlock.quickAck(); request.quickAckBlock.quickAck();
@ -2699,14 +2737,6 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
int messageSeqNo = data.readInt32(false); int messageSeqNo = data.readInt32(false);
int messageLength = data.readInt32(false); int messageLength = data.readInt32(false);
if (connection.isMessageIdProcessed(messageId)) {
doNotProcess = true;
}
if (messageSeqNo % 2 != 0) {
connection.addMessageToConfirm(messageId);
}
byte[] realMessageKeyFull = Utilities.computeSHA1(data.buffer, 24, Math.min(messageLength + 32 + 24, data.limit())); byte[] realMessageKeyFull = Utilities.computeSHA1(data.buffer, 24, Math.min(messageLength + 32 + 24, data.limit()));
if (realMessageKeyFull == null) { if (realMessageKeyFull == null) {
return; return;
@ -2720,6 +2750,14 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
return; return;
} }
if (connection.isMessageIdProcessed(messageId)) {
doNotProcess = true;
}
if (messageSeqNo % 2 != 0) {
connection.addMessageToConfirm(messageId);
}
if (!doNotProcess) { if (!doNotProcess) {
TLObject message = deserialize(getRequestWithMessageId(messageId), data, true); TLObject message = deserialize(getRequestWithMessageId(messageId), data, true);
if (message != null) { if (message != null) {
@ -2776,7 +2814,8 @@ public class ConnectionsManager implements Action.ActionDelegate, TcpConnection.
} }
public TLObject getRequestWithMessageId(long msgId) { public TLObject getRequestWithMessageId(long msgId) {
for (RPCRequest request : runningRequests) { for (int a = 0; a < runningRequests.size(); a++) {
RPCRequest request = runningRequests.get(a);
if (msgId == request.runningMessageId) { if (msgId == request.runningMessageId) {
return request.rawRequest; return request.rawRequest;
} }

View File

@ -297,6 +297,9 @@ public class HandshakeAction extends Action implements TcpConnection.TcpConnecti
} }
} else if (message instanceof TLRPC.Server_DH_Params) { } else if (message instanceof TLRPC.Server_DH_Params) {
if (message instanceof TLRPC.TL_server_DH_params_ok) { if (message instanceof TLRPC.TL_server_DH_params_ok) {
if (authNewNonce == null) {
return;
}
TLRPC.TL_server_DH_params_ok serverDhParams = (TLRPC.TL_server_DH_params_ok)message; TLRPC.TL_server_DH_params_ok serverDhParams = (TLRPC.TL_server_DH_params_ok)message;
SerializedData tmpAesKey = new SerializedData(); SerializedData tmpAesKey = new SerializedData();

File diff suppressed because it is too large Load Diff

View File

@ -132,7 +132,7 @@ public class UserConfig {
int ver = data.readInt32(false); int ver = data.readInt32(false);
if (ver == 1) { if (ver == 1) {
int constructor = data.readInt32(false); int constructor = data.readInt32(false);
currentUser = TLRPC.TL_userSelf.TLdeserialize(data, constructor, false); currentUser = TLRPC.User.TLdeserialize(data, constructor, false);
MessagesStorage.lastDateValue = data.readInt32(false); MessagesStorage.lastDateValue = data.readInt32(false);
MessagesStorage.lastPtsValue = data.readInt32(false); MessagesStorage.lastPtsValue = data.readInt32(false);
MessagesStorage.lastSeqValue = data.readInt32(false); MessagesStorage.lastSeqValue = data.readInt32(false);
@ -159,7 +159,7 @@ public class UserConfig {
}); });
} else if (ver == 2) { } else if (ver == 2) {
int constructor = data.readInt32(false); int constructor = data.readInt32(false);
currentUser = TLRPC.TL_userSelf.TLdeserialize(data, constructor, false); currentUser = TLRPC.User.TLdeserialize(data, constructor, false);
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("userconfing", Context.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("userconfing", Context.MODE_PRIVATE);
registeredForPush = preferences.getBoolean("registeredForPush", false); registeredForPush = preferences.getBoolean("registeredForPush", false);
@ -211,7 +211,7 @@ public class UserConfig {
byte[] userBytes = Base64.decode(user, Base64.DEFAULT); byte[] userBytes = Base64.decode(user, Base64.DEFAULT);
if (userBytes != null) { if (userBytes != null) {
SerializedData data = new SerializedData(userBytes); SerializedData data = new SerializedData(userBytes);
currentUser = TLRPC.TL_userSelf.TLdeserialize(data, data.readInt32(false), false); currentUser = TLRPC.User.TLdeserialize(data, data.readInt32(false), false);
data.cleanup(); data.cleanup();
} }
} }

View File

@ -270,7 +270,7 @@ public class Utilities {
} }
public static boolean arraysEquals(byte[] arr1, int offset1, byte[] arr2, int offset2) { public static boolean arraysEquals(byte[] arr1, int offset1, byte[] arr2, int offset2) {
if (arr1 == null || arr2 == null || arr1.length - offset1 != arr2.length - offset2 || arr1.length - offset1 < 0) { if (arr1 == null || arr2 == null || offset1 < 0 || offset2 < 0 || arr1.length - offset1 != arr2.length - offset2 || arr1.length - offset1 < 0 || arr2.length - offset2 < 0) {
return false; return false;
} }
boolean result = true; boolean result = true;

View File

@ -28,7 +28,6 @@ import android.widget.FrameLayout;
import android.widget.LinearLayout; import android.widget.LinearLayout;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.NotificationCenter;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy; import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy;
import org.telegram.android.AnimationCompat.AnimatorSetProxy; import org.telegram.android.AnimationCompat.AnimatorSetProxy;
@ -184,6 +183,13 @@ public class ActionBarLayout extends FrameLayout {
} }
} }
public void drawHeaderShadow(Canvas canvas, int y) {
if (headerShadowDrawable != null) {
headerShadowDrawable.setBounds(0, y, getMeasuredWidth(), y + headerShadowDrawable.getIntrinsicHeight());
headerShadowDrawable.draw(canvas);
}
}
public void setInnerTranslationX(float value) { public void setInnerTranslationX(float value) {
innerTranslationX = value; innerTranslationX = value;
invalidate(); invalidate();
@ -264,7 +270,10 @@ public class ActionBarLayout extends FrameLayout {
layerShadowDrawable.setAlpha((int) (0xff * alpha)); layerShadowDrawable.setAlpha((int) (0xff * alpha));
layerShadowDrawable.draw(canvas); layerShadowDrawable.draw(canvas);
} else if (child == containerViewBack) { } else if (child == containerViewBack) {
final float opacity = Math.min(0.8f, (width - translationX) / (float)width); float opacity = Math.min(0.8f, (width - translationX) / (float)width);
if (opacity < 0) {
opacity = 0;
}
scrimPaint.setColor((int) (((0x99000000 & 0xff000000) >>> 24) * opacity) << 24); scrimPaint.setColor((int) (((0x99000000 & 0xff000000) >>> 24) * opacity) << 24);
canvas.drawRect(clipLeft, 0, clipRight, getHeight(), scrimPaint); canvas.drawRect(clipLeft, 0, clipRight, getHeight(), scrimPaint);
} }
@ -293,6 +302,7 @@ public class ActionBarLayout extends FrameLayout {
lastFragment = fragmentsStack.get(fragmentsStack.size() - 1); lastFragment = fragmentsStack.get(fragmentsStack.size() - 1);
currentActionBar = lastFragment.actionBar; currentActionBar = lastFragment.actionBar;
lastFragment.onResume(); lastFragment.onResume();
lastFragment.onBecomeFullyVisible();
} else { } else {
BaseFragment lastFragment = fragmentsStack.get(fragmentsStack.size() - 2); BaseFragment lastFragment = fragmentsStack.get(fragmentsStack.size() - 2);
lastFragment.onPause(); lastFragment.onPause();
@ -309,7 +319,7 @@ public class ActionBarLayout extends FrameLayout {
} }
} }
} }
containerViewBack.setVisibility(View.INVISIBLE); containerViewBack.setVisibility(View.GONE);
//AndroidUtilities.unlockOrientation(parentActivity); //AndroidUtilities.unlockOrientation(parentActivity);
startedTracking = false; startedTracking = false;
animationInProgress = false; animationInProgress = false;
@ -428,13 +438,13 @@ public class ActionBarLayout extends FrameLayout {
if (!backAnimation) { if (!backAnimation) {
distToMove = containerView.getMeasuredWidth() - x; distToMove = containerView.getMeasuredWidth() - x;
animatorSet.playTogether( animatorSet.playTogether(
ObjectAnimatorProxy.ofFloat(containerView, "x", containerView.getMeasuredWidth()), ObjectAnimatorProxy.ofFloat(containerView, "translationX", containerView.getMeasuredWidth()),
ObjectAnimatorProxy.ofFloat(this, "innerTranslationX", (float)containerView.getMeasuredWidth()) ObjectAnimatorProxy.ofFloat(this, "innerTranslationX", (float)containerView.getMeasuredWidth())
); );
} else { } else {
distToMove = x; distToMove = x;
animatorSet.playTogether( animatorSet.playTogether(
ObjectAnimatorProxy.ofFloat(containerView, "x", 0), ObjectAnimatorProxy.ofFloat(containerView, "translationX", 0),
ObjectAnimatorProxy.ofFloat(this, "innerTranslationX", 0.0f) ObjectAnimatorProxy.ofFloat(this, "innerTranslationX", 0.0f)
); );
} }
@ -545,7 +555,7 @@ public class ActionBarLayout extends FrameLayout {
} }
} }
} }
containerViewBack.setVisibility(View.INVISIBLE); containerViewBack.setVisibility(View.GONE);
} }
public boolean presentFragment(BaseFragment fragment) { public boolean presentFragment(BaseFragment fragment) {
@ -560,6 +570,13 @@ public class ActionBarLayout extends FrameLayout {
if (first) { if (first) {
animationProgress = 0.0f; animationProgress = 0.0f;
lastFrameTime = System.nanoTime() / 1000000; lastFrameTime = System.nanoTime() / 1000000;
if (Build.VERSION.SDK_INT >= 11) {
if (open) {
containerView.setLayerType(LAYER_TYPE_HARDWARE, null);
} else {
containerViewBack.setLayerType(LAYER_TYPE_HARDWARE, null);
}
}
} }
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
@ -600,7 +617,6 @@ public class ActionBarLayout extends FrameLayout {
} }
if (parentActivity.getCurrentFocus() != null) { if (parentActivity.getCurrentFocus() != null) {
AndroidUtilities.hideKeyboard(parentActivity.getCurrentFocus()); AndroidUtilities.hideKeyboard(parentActivity.getCurrentFocus());
NotificationCenter.getInstance().postNotificationName(NotificationCenter.hideEmojiKeyboard);
} }
boolean needAnimation = Build.VERSION.SDK_INT > 10 && !forceWithoutAnimation && parentActivity.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE).getBoolean("view_animations", true); boolean needAnimation = Build.VERSION.SDK_INT > 10 && !forceWithoutAnimation && parentActivity.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE).getBoolean("view_animations", true);
@ -665,6 +681,7 @@ public class ActionBarLayout extends FrameLayout {
@Override @Override
public void run() { public void run() {
fragment.onOpenAnimationEnd(); fragment.onOpenAnimationEnd();
fragment.onBecomeFullyVisible();
} }
}; };
ArrayList<Object> animators = new ArrayList<>(); ArrayList<Object> animators = new ArrayList<>();
@ -697,8 +714,12 @@ public class ActionBarLayout extends FrameLayout {
onOpenAnimationEndRunnable = new Runnable() { onOpenAnimationEndRunnable = new Runnable() {
@Override @Override
public void run() { public void run() {
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(LAYER_TYPE_NONE, null);
}
presentFragmentInternalRemoveOld(removeLast, currentFragment); presentFragmentInternalRemoveOld(removeLast, currentFragment);
fragment.onOpenAnimationEnd(); fragment.onOpenAnimationEnd();
fragment.onBecomeFullyVisible();
ViewProxy.setTranslationX(containerView, 0); ViewProxy.setTranslationX(containerView, 0);
} }
}; };
@ -737,6 +758,7 @@ public class ActionBarLayout extends FrameLayout {
} }
fragment.onOpenAnimationStart(); fragment.onOpenAnimationStart();
fragment.onOpenAnimationEnd(); fragment.onOpenAnimationEnd();
fragment.onBecomeFullyVisible();
} }
return true; return true;
} }
@ -779,7 +801,7 @@ public class ActionBarLayout extends FrameLayout {
fragment.onFragmentDestroy(); fragment.onFragmentDestroy();
fragment.setParentLayout(null); fragment.setParentLayout(null);
fragmentsStack.remove(fragment); fragmentsStack.remove(fragment);
containerViewBack.setVisibility(View.INVISIBLE); containerViewBack.setVisibility(View.GONE);
bringChildToFront(containerView); bringChildToFront(containerView);
} }
@ -830,6 +852,7 @@ public class ActionBarLayout extends FrameLayout {
layoutParams.width = LayoutHelper.MATCH_PARENT; layoutParams.width = LayoutHelper.MATCH_PARENT;
layoutParams.height = LayoutHelper.MATCH_PARENT; layoutParams.height = LayoutHelper.MATCH_PARENT;
fragmentView.setLayoutParams(layoutParams); fragmentView.setLayoutParams(layoutParams);
previousFragment.onOpenAnimationStart();
previousFragment.onResume(); previousFragment.onResume();
currentActionBar = previousFragment.actionBar; currentActionBar = previousFragment.actionBar;
if (!previousFragment.hasOwnBackground && fragmentView.getBackground() == null) { if (!previousFragment.hasOwnBackground && fragmentView.getBackground() == null) {
@ -843,11 +866,17 @@ public class ActionBarLayout extends FrameLayout {
if (needAnimation) { if (needAnimation) {
transitionAnimationStartTime = System.currentTimeMillis(); transitionAnimationStartTime = System.currentTimeMillis();
transitionAnimationInProgress = true; transitionAnimationInProgress = true;
final BaseFragment previousFragmentFinal = previousFragment;
onCloseAnimationEndRunnable = new Runnable() { onCloseAnimationEndRunnable = new Runnable() {
@Override @Override
public void run() { public void run() {
if (Build.VERSION.SDK_INT >= 18) {
containerViewBack.setLayerType(LAYER_TYPE_NONE, null);
}
closeLastFragmentInternalRemoveOld(currentFragment); closeLastFragmentInternalRemoveOld(currentFragment);
ViewProxy.setTranslationX(containerViewBack, 0); ViewProxy.setTranslationX(containerViewBack, 0);
previousFragmentFinal.onOpenAnimationEnd();
previousFragmentFinal.onBecomeFullyVisible();
} }
}; };
startLayoutAnimation(false, true); startLayoutAnimation(false, true);
@ -875,6 +904,9 @@ public class ActionBarLayout extends FrameLayout {
} }
}); });
currentAnimation.start();*/ currentAnimation.start();*/
} else {
previousFragment.onOpenAnimationEnd();
previousFragment.onBecomeFullyVisible();
} }
} else { } else {
if (useAlphaAnimations) { if (useAlphaAnimations) {
@ -885,9 +917,9 @@ public class ActionBarLayout extends FrameLayout {
@Override @Override
public void run() { public void run() {
removeFragmentFromStack(currentFragment); removeFragmentFromStack(currentFragment);
setVisibility(INVISIBLE); setVisibility(GONE);
if (backgroundView != null) { if (backgroundView != null) {
backgroundView.setVisibility(INVISIBLE); backgroundView.setVisibility(GONE);
} }
if (drawerLayoutContainer != null) { if (drawerLayoutContainer != null) {
drawerLayoutContainer.setAllowOpenDrawer(true, false); drawerLayoutContainer.setAllowOpenDrawer(true, false);
@ -924,9 +956,9 @@ public class ActionBarLayout extends FrameLayout {
currentAnimation.start(); currentAnimation.start();
} else { } else {
removeFragmentFromStack(currentFragment); removeFragmentFromStack(currentFragment);
setVisibility(INVISIBLE); setVisibility(GONE);
if (backgroundView != null) { if (backgroundView != null) {
backgroundView.setVisibility(INVISIBLE); backgroundView.setVisibility(GONE);
} }
} }
} }
@ -986,7 +1018,7 @@ public class ActionBarLayout extends FrameLayout {
public void rebuildAllFragmentViews(boolean last) { public void rebuildAllFragmentViews(boolean last) {
for (int a = 0; a < fragmentsStack.size() - (last ? 0 : 1); a++) { for (int a = 0; a < fragmentsStack.size() - (last ? 0 : 1); a++) {
fragmentsStack.get(a).setParentLayout(null); fragmentsStack.get(a).clearViews();
fragmentsStack.get(a).setParentLayout(this); fragmentsStack.get(a).setParentLayout(this);
} }
if (delegate != null) { if (delegate != null) {

View File

@ -45,10 +45,14 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
public void onSearchExpand() { public void onSearchExpand() {
} }
public boolean onSearchCollapse() { public boolean canCollapseSearch() {
return true; return true;
} }
public void onSearchCollapse() {
}
public void onTextChanged(EditText editText) { public void onTextChanged(EditText editText) {
} }
@ -77,6 +81,7 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
private int menuHeight = AndroidUtilities.dp(16); private int menuHeight = AndroidUtilities.dp(16);
private int subMenuOpenSide = 0; private int subMenuOpenSide = 0;
private ActionBarMenuItemDelegate delegate; private ActionBarMenuItemDelegate delegate;
private boolean allowCloseAnimation = true;
public ActionBarMenuItem(Context context, ActionBarMenu menu, int background) { public ActionBarMenuItem(Context context, ActionBarMenu menu, int background) {
super(context); super(context);
@ -154,8 +159,10 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
} else if (delegate != null) { } else if (delegate != null) {
delegate.onItemClick((Integer) selectedMenuView.getTag()); delegate.onItemClick((Integer) selectedMenuView.getTag());
} }
popupWindow.dismiss(allowCloseAnimation);
} else {
popupWindow.dismiss();
} }
popupWindow.dismiss();
} else { } else {
if (selectedMenuView != null) { if (selectedMenuView != null) {
selectedMenuView.setSelected(false); selectedMenuView.setSelected(false);
@ -171,6 +178,9 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
public void setShowFromBottom(boolean value) { public void setShowFromBottom(boolean value) {
showFromBottom = value; showFromBottom = value;
if (popupLayout != null) {
popupLayout.setShowedFromBotton(showFromBottom);
}
} }
public void setSubMenuOpenSide(int side) { public void setSubMenuOpenSide(int side) {
@ -183,7 +193,8 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
location = new int[2]; location = new int[2];
popupLayout = new ActionBarPopupWindow.ActionBarPopupWindowLayout(getContext()); popupLayout = new ActionBarPopupWindow.ActionBarPopupWindowLayout(getContext());
popupLayout.setOrientation(LinearLayout.VERTICAL); popupLayout.setOrientation(LinearLayout.VERTICAL);
popupLayout.setBackgroundResource(R.drawable.popup_fixed); popupLayout.setPadding(AndroidUtilities.dp(8), AndroidUtilities.dp(8), AndroidUtilities.dp(8), AndroidUtilities.dp(8));
//popupLayout.setBackgroundResource(R.drawable.popup_fixed);
popupLayout.setOnTouchListener(new OnTouchListener() { popupLayout.setOnTouchListener(new OnTouchListener() {
@Override @Override
public boolean onTouch(View v, MotionEvent event) { public boolean onTouch(View v, MotionEvent event) {
@ -228,6 +239,7 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
textView.setCompoundDrawablesWithIntrinsicBounds(null, null, getResources().getDrawable(icon), null); textView.setCompoundDrawablesWithIntrinsicBounds(null, null, getResources().getDrawable(icon), null);
} }
} }
popupLayout.setShowedFromBotton(showFromBottom);
popupLayout.addView(textView); popupLayout.addView(textView);
LinearLayout.LayoutParams layoutParams = (LinearLayout.LayoutParams) textView.getLayoutParams(); LinearLayout.LayoutParams layoutParams = (LinearLayout.LayoutParams) textView.getLayoutParams();
if (LocaleController.isRTL) { if (LocaleController.isRTL) {
@ -239,14 +251,14 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
textView.setOnClickListener(new OnClickListener() { textView.setOnClickListener(new OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
if (popupWindow != null && popupWindow.isShowing()) {
popupWindow.dismiss(allowCloseAnimation);
}
if (parentMenu != null) { if (parentMenu != null) {
parentMenu.onItemClick((Integer) view.getTag()); parentMenu.onItemClick((Integer) view.getTag());
} else if (delegate != null) { } else if (delegate != null) {
delegate.onItemClick((Integer) view.getTag()); delegate.onItemClick((Integer) view.getTag());
} }
if (popupWindow != null && popupWindow.isShowing()) {
popupWindow.dismiss();
}
} }
}); });
menuHeight += layoutParams.height; menuHeight += layoutParams.height;
@ -272,7 +284,11 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
if (popupWindow == null) { if (popupWindow == null) {
popupWindow = new ActionBarPopupWindow(popupLayout, LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT); popupWindow = new ActionBarPopupWindow(popupLayout, LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT);
//popupWindow.setBackgroundDrawable(new BitmapDrawable()); //popupWindow.setBackgroundDrawable(new BitmapDrawable());
popupWindow.setAnimationStyle(R.style.PopupAnimation); if (Build.VERSION.SDK_INT >= 19) {
popupWindow.setAnimationStyle(0);
} else {
popupWindow.setAnimationStyle(R.style.PopupAnimation);
}
popupWindow.setOutsideTouchable(true); popupWindow.setOutsideTouchable(true);
popupWindow.setClippingEnabled(true); popupWindow.setClippingEnabled(true);
popupWindow.setInputMethodMode(ActionBarPopupWindow.INPUT_METHOD_NOT_NEEDED); popupWindow.setInputMethodMode(ActionBarPopupWindow.INPUT_METHOD_NOT_NEEDED);
@ -292,54 +308,11 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
} }
popupWindow.setFocusable(true); popupWindow.setFocusable(true);
if (popupLayout.getMeasuredWidth() == 0) { if (popupLayout.getMeasuredWidth() == 0) {
if (subMenuOpenSide == 0) { updateOrShowPopup(true, true);
if (showFromBottom) {
popupWindow.showAsDropDown(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), getOffsetY());
popupWindow.update(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), getOffsetY(), -1, -1);
} else {
if (parentMenu != null) {
popupWindow.showAsDropDown(this, parentMenu.parentActionBar.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parentMenu.getLeft(), getOffsetY());
popupWindow.update(this, parentMenu.parentActionBar.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parentMenu.getLeft(), getOffsetY(), -1, -1);
} else if (getParent() != null) {
View parent = (View) getParent();
popupWindow.showAsDropDown(this, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), getOffsetY());
popupWindow.update(this, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), getOffsetY(), -1, -1);
}
}
} else {
popupWindow.showAsDropDown(this, -AndroidUtilities.dp(8), getOffsetY());
popupWindow.update(this, -AndroidUtilities.dp(8), getOffsetY(), -1, -1);
}
} else { } else {
if (subMenuOpenSide == 0) { updateOrShowPopup(true, false);
if (showFromBottom) {
popupWindow.showAsDropDown(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), getOffsetY());
} else {
if (parentMenu != null) {
popupWindow.showAsDropDown(this, parentMenu.parentActionBar.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parentMenu.getLeft(), getOffsetY());
} else {
View parent = (View) getParent();
popupWindow.showAsDropDown(this, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), getOffsetY());
}
}
} else {
popupWindow.showAsDropDown(this, -AndroidUtilities.dp(8), getOffsetY());
}
}
}
private int getOffsetY() {
if (showFromBottom) {
getLocationOnScreen(location);
int diff = location[1] - AndroidUtilities.statusBarHeight + getMeasuredHeight() - menuHeight;
int y = -menuHeight;
if (diff < 0) {
y -= diff;
}
return y;
} else {
return -getMeasuredHeight();
} }
popupWindow.startAnimation();
} }
public void openSearch() { public void openSearch() {
@ -354,10 +327,13 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
return false; return false;
} }
if (searchContainer.getVisibility() == VISIBLE) { if (searchContainer.getVisibility() == VISIBLE) {
if (listener == null || listener != null && listener.onSearchCollapse()) { if (listener == null || listener != null && listener.canCollapseSearch()) {
searchContainer.setVisibility(GONE); searchContainer.setVisibility(GONE);
setVisibility(VISIBLE); setVisibility(VISIBLE);
AndroidUtilities.hideKeyboard(searchField); AndroidUtilities.hideKeyboard(searchField);
if (listener != null) {
listener.onSearchCollapse();
}
} }
return false; return false;
} else { } else {
@ -388,6 +364,10 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
} }
public ActionBarMenuItem setIsSearchField(boolean value) { public ActionBarMenuItem setIsSearchField(boolean value) {
return setIsSearchField(value, true);
}
public ActionBarMenuItem setIsSearchField(boolean value, boolean needClearButton) {
if (parentMenu == null) { if (parentMenu == null) {
return this; return this;
} }
@ -423,6 +403,7 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
} }
public void onDestroyActionMode(ActionMode mode) { public void onDestroyActionMode(ActionMode mode) {
} }
public boolean onCreateActionMode(ActionMode mode, Menu menu) { public boolean onCreateActionMode(ActionMode mode, Menu menu) {
@ -457,7 +438,9 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
if (listener != null) { if (listener != null) {
listener.onTextChanged(searchField); listener.onTextChanged(searchField);
} }
ViewProxy.setAlpha(clearButton, s == null || s.length() == 0 ? 0.6f : 1.0f); if (clearButton != null) {
ViewProxy.setAlpha(clearButton, s == null || s.length() == 0 ? 0.6f : 1.0f);
}
} }
@Override @Override
@ -487,22 +470,24 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
layoutParams2.rightMargin = AndroidUtilities.dp(48); layoutParams2.rightMargin = AndroidUtilities.dp(48);
searchField.setLayoutParams(layoutParams2); searchField.setLayoutParams(layoutParams2);
clearButton = new ImageView(getContext()); if (needClearButton) {
clearButton.setImageResource(R.drawable.ic_close_white); clearButton = new ImageView(getContext());
clearButton.setScaleType(ImageView.ScaleType.CENTER); clearButton.setImageResource(R.drawable.ic_close_white);
clearButton.setOnClickListener(new OnClickListener() { clearButton.setScaleType(ImageView.ScaleType.CENTER);
@Override clearButton.setOnClickListener(new OnClickListener() {
public void onClick(View v) { @Override
searchField.setText(""); public void onClick(View v) {
AndroidUtilities.showKeyboard(searchField); searchField.setText("");
} AndroidUtilities.showKeyboard(searchField);
}); }
searchContainer.addView(clearButton); });
layoutParams2 = (FrameLayout.LayoutParams) clearButton.getLayoutParams(); searchContainer.addView(clearButton);
layoutParams2.width = AndroidUtilities.dp(48); layoutParams2 = (FrameLayout.LayoutParams) clearButton.getLayoutParams();
layoutParams2.gravity = Gravity.CENTER_VERTICAL | Gravity.RIGHT; layoutParams2.width = AndroidUtilities.dp(48);
layoutParams2.height = LayoutHelper.MATCH_PARENT; layoutParams2.gravity = Gravity.CENTER_VERTICAL | Gravity.RIGHT;
clearButton.setLayoutParams(layoutParams2); layoutParams2.height = LayoutHelper.MATCH_PARENT;
clearButton.setLayoutParams(layoutParams2);
}
} }
isSearchField = value; isSearchField = value;
return this; return this;
@ -517,23 +502,69 @@ public class ActionBarMenuItem extends FrameLayoutFixed {
return this; return this;
} }
public ActionBarMenuItem setAllowCloseAnimation(boolean value) {
allowCloseAnimation = value;
return this;
}
@Override @Override
protected void onLayout(boolean changed, int left, int top, int right, int bottom) { protected void onLayout(boolean changed, int left, int top, int right, int bottom) {
super.onLayout(changed, left, top, right, bottom); super.onLayout(changed, left, top, right, bottom);
if (popupWindow != null && popupWindow.isShowing()) { if (popupWindow != null && popupWindow.isShowing()) {
if (subMenuOpenSide == 0) { updateOrShowPopup(false, true);
if (showFromBottom) { }
popupWindow.update(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), getOffsetY(), -1, -1); }
} else {
if (parentMenu != null) { private void updateOrShowPopup(boolean show, boolean update) {
popupWindow.update(this, parentMenu.parentActionBar.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parentMenu.getLeft(), getOffsetY(), -1, -1); int offsetY;
} else { if (showFromBottom) {
View parent = (View) getParent(); getLocationOnScreen(location);
popupWindow.update(this, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), getOffsetY(), -1, -1); int diff = location[1] - AndroidUtilities.statusBarHeight + getMeasuredHeight() - menuHeight;
} offsetY = -menuHeight;
if (diff < 0) {
offsetY -= diff;
}
} else {
if (parentMenu != null && subMenuOpenSide == 0) {
offsetY = -parentMenu.parentActionBar.getMeasuredHeight() + parentMenu.getTop();
} else {
offsetY = -getMeasuredHeight();
}
}
if (subMenuOpenSide == 0) {
if (showFromBottom) {
if (show) {
popupWindow.showAsDropDown(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), offsetY);
}
if (update) {
popupWindow.update(this, -popupLayout.getMeasuredWidth() + getMeasuredWidth(), offsetY, -1, -1);
} }
} else { } else {
popupWindow.update(this, -AndroidUtilities.dp(8), getOffsetY(), -1, -1); if (parentMenu != null) {
View parent = parentMenu.parentActionBar;
if (show) {
popupWindow.showAsDropDown(parent, getLeft() + parentMenu.getLeft() + getMeasuredWidth() - popupLayout.getMeasuredWidth(), offsetY);
}
if (update) {
popupWindow.update(parent, getLeft() + parentMenu.getLeft() + getMeasuredWidth() - popupLayout.getMeasuredWidth(), offsetY, -1, -1);
}
} else if (getParent() != null) {
View parent = (View) getParent();
if (show) {
popupWindow.showAsDropDown(parent, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), offsetY);
}
if (update) {
popupWindow.update(parent, parent.getMeasuredWidth() - popupLayout.getMeasuredWidth() - getLeft() - parent.getLeft(), offsetY, -1, -1);
}
}
}
} else {
if (show) {
popupWindow.showAsDropDown(this, -AndroidUtilities.dp(8), offsetY);
}
if (update) {
popupWindow.update(this, -AndroidUtilities.dp(8), offsetY, -1, -1);
} }
} }
} }

View File

@ -10,20 +10,33 @@
package org.telegram.ui.ActionBar; package org.telegram.ui.ActionBar;
import android.animation.Animator;
import android.animation.AnimatorSet;
import android.animation.ObjectAnimator;
import android.content.Context; import android.content.Context;
import android.graphics.Canvas;
import android.graphics.drawable.Drawable;
import android.os.Build;
import android.view.KeyEvent; import android.view.KeyEvent;
import android.view.View; import android.view.View;
import android.view.ViewTreeObserver; import android.view.ViewTreeObserver;
import android.view.animation.DecelerateInterpolator;
import android.widget.LinearLayout; import android.widget.LinearLayout;
import android.widget.PopupWindow; import android.widget.PopupWindow;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.messenger.R;
import java.lang.reflect.Field; import java.lang.reflect.Field;
import java.util.HashMap;
public class ActionBarPopupWindow extends PopupWindow { public class ActionBarPopupWindow extends PopupWindow {
private static final Field superListenerField; private static final Field superListenerField;
private static final boolean animationEnabled = Build.VERSION.SDK_INT >= 18;
private static DecelerateInterpolator decelerateInterpolator = new DecelerateInterpolator();
private AnimatorSet windowAnimatorSet;
static { static {
Field f = null; Field f = null;
try { try {
@ -52,15 +65,104 @@ public class ActionBarPopupWindow extends PopupWindow {
public static class ActionBarPopupWindowLayout extends LinearLayout { public static class ActionBarPopupWindowLayout extends LinearLayout {
private OnDispatchKeyEventListener mOnDispatchKeyEventListener; private OnDispatchKeyEventListener mOnDispatchKeyEventListener;
protected static Drawable backgroundDrawable;
private float backScaleX = 1;
private float backScaleY = 1;
private int backAlpha = 255;
private int lastStartedChild = 0;
private boolean showedFromBotton;
private HashMap<View, Integer> positions = new HashMap<>();
public ActionBarPopupWindowLayout(Context context) { public ActionBarPopupWindowLayout(Context context) {
super(context); super(context);
setWillNotDraw(false);
if (backgroundDrawable == null) {
backgroundDrawable = getResources().getDrawable(R.drawable.popup_fixed);
}
}
public void setShowedFromBotton(boolean value) {
showedFromBotton = value;
} }
public void setDispatchKeyEventListener(OnDispatchKeyEventListener listener) { public void setDispatchKeyEventListener(OnDispatchKeyEventListener listener) {
mOnDispatchKeyEventListener = listener; mOnDispatchKeyEventListener = listener;
} }
public void setBackAlpha(int value) {
backAlpha = value;
}
public int getBackAlpha() {
return backAlpha;
}
public void setBackScaleX(float value) {
backScaleX = value;
invalidate();
}
public void setBackScaleY(float value) {
backScaleY = value;
if (animationEnabled) {
int count = getChildCount();
int visibleCount = 0;
for (int a = 0; a < count; a++) {
visibleCount += getChildAt(a).getVisibility() == VISIBLE ? 1 : 0;
}
int height = getMeasuredHeight() - AndroidUtilities.dp(16);
if (showedFromBotton) {
for (int a = lastStartedChild; a >= 0; a--) {
View child = getChildAt(a);
if (child.getVisibility() != VISIBLE) {
continue;
}
int position = positions.get(child);
if (height - (position * AndroidUtilities.dp(48) + AndroidUtilities.dp(32)) > value * height) {
break;
}
lastStartedChild = a - 1;
startChildAnimation(child);
}
} else {
for (int a = lastStartedChild; a < count; a++) {
View child = getChildAt(a);
if (child.getVisibility() != VISIBLE) {
continue;
}
int position = positions.get(child);
if ((position + 1) * AndroidUtilities.dp(48) - AndroidUtilities.dp(24) > value * height) {
break;
}
lastStartedChild = a + 1;
startChildAnimation(child);
}
}
}
invalidate();
}
private void startChildAnimation(View child) {
if (animationEnabled) {
AnimatorSet animatorSet = new AnimatorSet();
animatorSet.playTogether(
ObjectAnimator.ofFloat(child, "alpha", 0.0f, 1.0f),
ObjectAnimator.ofFloat(child, "translationY", AndroidUtilities.dp(showedFromBotton ? 6 : -6), 0));
animatorSet.setDuration(180);
animatorSet.setInterpolator(decelerateInterpolator);
animatorSet.start();
}
}
public float getBackScaleX() {
return backScaleX;
}
public float getBackScaleY() {
return backScaleY;
}
@Override @Override
public boolean dispatchKeyEvent(KeyEvent event) { public boolean dispatchKeyEvent(KeyEvent event) {
if (mOnDispatchKeyEventListener != null) { if (mOnDispatchKeyEventListener != null) {
@ -68,6 +170,19 @@ public class ActionBarPopupWindow extends PopupWindow {
} }
return super.dispatchKeyEvent(event); return super.dispatchKeyEvent(event);
} }
@Override
protected void onDraw(Canvas canvas) {
if (backgroundDrawable != null) {
backgroundDrawable.setAlpha(backAlpha);
if (showedFromBotton) {
backgroundDrawable.setBounds(0, (int) (getMeasuredHeight() * (1.0f - backScaleY)), (int) (getMeasuredWidth() * backScaleX), getMeasuredHeight());
} else {
backgroundDrawable.setBounds(0, 0, (int) (getMeasuredWidth() * backScaleX), (int) (getMeasuredHeight() * backScaleY));
}
backgroundDrawable.draw(canvas);
}
}
} }
public ActionBarPopupWindow() { public ActionBarPopupWindow() {
@ -109,15 +224,6 @@ public class ActionBarPopupWindow extends PopupWindow {
mSuperScrollListener = null; mSuperScrollListener = null;
} }
} }
/*if (Build.VERSION.SDK_INT >= 21) {
try {
Field field = PopupWindow.class.getDeclaredField("mWindowLayoutType");
field.setAccessible(true);
field.set(this, WindowManager.LayoutParams.TYPE_SYSTEM_ERROR);
} catch (Exception e) {
//ignored
}
}*/
} }
private void unregisterListener() { private void unregisterListener() {
@ -153,6 +259,63 @@ public class ActionBarPopupWindow extends PopupWindow {
} }
} }
public void startAnimation() {
if (animationEnabled) {
if (windowAnimatorSet != null) {
return;
}
ActionBarPopupWindowLayout content = (ActionBarPopupWindowLayout) getContentView();
content.setTranslationY(0);
content.setAlpha(1.0f);
content.setPivotX(content.getMeasuredWidth());
content.setPivotY(0);
int count = content.getChildCount();
content.positions.clear();
int visibleCount = 0;
for (int a = 0; a < count; a++) {
View child = content.getChildAt(a);
if (child.getVisibility() != View.VISIBLE) {
continue;
}
content.positions.put(child, visibleCount);
child.setAlpha(0.0f);
visibleCount++;
}
if (content.showedFromBotton) {
content.lastStartedChild = count - 1;
} else {
content.lastStartedChild = 0;
}
windowAnimatorSet = new AnimatorSet();
windowAnimatorSet.playTogether(
ObjectAnimator.ofFloat(content, "backScaleY", 0.0f, 1.0f),
ObjectAnimator.ofInt(content, "backAlpha", 0, 255));
windowAnimatorSet.setDuration(150 + 16 * visibleCount);
windowAnimatorSet.addListener(new Animator.AnimatorListener() {
@Override
public void onAnimationStart(Animator animation) {
}
@Override
public void onAnimationEnd(Animator animation) {
windowAnimatorSet = null;
}
@Override
public void onAnimationCancel(Animator animation) {
onAnimationEnd(animation);
}
@Override
public void onAnimationRepeat(Animator animation) {
}
});
windowAnimatorSet.start();
}
}
@Override @Override
public void update(View anchor, int xoff, int yoff, int width, int height) { public void update(View anchor, int xoff, int yoff, int width, int height) {
super.update(anchor, xoff, yoff, width, height); super.update(anchor, xoff, yoff, width, height);
@ -173,12 +336,57 @@ public class ActionBarPopupWindow extends PopupWindow {
@Override @Override
public void dismiss() { public void dismiss() {
setFocusable(false); dismiss(true);
try { }
super.dismiss();
} catch (Exception e) { public void dismiss(boolean animated) {
//don't promt if (animationEnabled && animated) {
if (windowAnimatorSet != null) {
windowAnimatorSet.cancel();
}
ActionBarPopupWindowLayout content = (ActionBarPopupWindowLayout) getContentView();
windowAnimatorSet = new AnimatorSet();
windowAnimatorSet.playTogether(
ObjectAnimator.ofFloat(content, "translationY", AndroidUtilities.dp(content.showedFromBotton ? 5 : -5)),
ObjectAnimator.ofFloat(content, "alpha", 0.0f));
windowAnimatorSet.setDuration(150);
windowAnimatorSet.addListener(new Animator.AnimatorListener() {
@Override
public void onAnimationStart(Animator animation) {
}
@Override
public void onAnimationEnd(Animator animation) {
windowAnimatorSet = null;
setFocusable(false);
try {
ActionBarPopupWindow.super.dismiss();
} catch (Exception e) {
//don't promt
}
unregisterListener();
}
@Override
public void onAnimationCancel(Animator animation) {
onAnimationEnd(animation);
}
@Override
public void onAnimationRepeat(Animator animation) {
}
});
windowAnimatorSet.start();
} else {
setFocusable(false);
try {
super.dismiss();
} catch (Exception e) {
//don't promt
}
unregisterListener();
} }
unregisterListener();
} }
} }

View File

@ -52,6 +52,32 @@ public class BaseFragment {
return arguments; return arguments;
} }
protected void clearViews() {
if (fragmentView != null) {
ViewGroup parent = (ViewGroup) fragmentView.getParent();
if (parent != null) {
try {
parent.removeView(fragmentView);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
fragmentView = null;
}
if (actionBar != null) {
ViewGroup parent = (ViewGroup) actionBar.getParent();
if (parent != null) {
try {
parent.removeView(actionBar);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
actionBar = null;
}
parentLayout = null;
}
protected void setParentLayout(ActionBarLayout layout) { protected void setParentLayout(ActionBarLayout layout) {
if (parentLayout != layout) { if (parentLayout != layout) {
parentLayout = layout; parentLayout = layout;
@ -64,7 +90,9 @@ public class BaseFragment {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} }
fragmentView = null; if (parentLayout != null && parentLayout.getContext() != fragmentView.getContext()) {
fragmentView = null;
}
} }
if (actionBar != null) { if (actionBar != null) {
ViewGroup parent = (ViewGroup) actionBar.getParent(); ViewGroup parent = (ViewGroup) actionBar.getParent();
@ -75,8 +103,11 @@ public class BaseFragment {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} }
if (parentLayout != null && parentLayout.getContext() != actionBar.getContext()) {
actionBar = null;
}
} }
if (parentLayout != null) { if (parentLayout != null && actionBar == null) {
actionBar = new ActionBar(parentLayout.getContext()); actionBar = new ActionBar(parentLayout.getContext());
actionBar.parentFragment = this; actionBar.parentFragment = this;
actionBar.setBackgroundColor(0xff54759e); actionBar.setBackgroundColor(0xff54759e);
@ -200,6 +231,10 @@ public class BaseFragment {
} }
protected void onBecomeFullyVisible() {
}
public void onLowMemory() { public void onLowMemory() {
} }
@ -209,7 +244,7 @@ public class BaseFragment {
} }
public Dialog showDialog(Dialog dialog) { public Dialog showDialog(Dialog dialog) {
if (parentLayout == null || parentLayout.animationInProgress || parentLayout.startedTracking || parentLayout.checkTransitionAnimation()) { if (dialog == null || parentLayout == null || parentLayout.animationInProgress || parentLayout.startedTracking || parentLayout.checkTransitionAnimation()) {
return null; return null;
} }
try { try {
@ -242,6 +277,10 @@ public class BaseFragment {
} }
public Dialog getVisibleDialog() {
return visibleDialog;
}
public void setVisibleDialog(Dialog dialog) { public void setVisibleDialog(Dialog dialog) {
visibleDialog = dialog; visibleDialog = dialog;
} }

View File

@ -8,21 +8,26 @@
package org.telegram.ui.ActionBar; package org.telegram.ui.ActionBar;
import android.animation.Animator;
import android.app.Dialog; import android.app.Dialog;
import android.content.Context; import android.content.Context;
import android.content.DialogInterface; import android.content.DialogInterface;
import android.graphics.drawable.ColorDrawable;
import android.os.Build; import android.os.Build;
import android.os.Bundle; import android.os.Bundle;
import android.text.TextUtils;
import android.util.TypedValue; import android.util.TypedValue;
import android.view.Gravity; import android.view.Gravity;
import android.view.MotionEvent; import android.view.MotionEvent;
import android.view.View; import android.view.View;
import android.view.ViewAnimationUtils;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.view.Window; import android.view.Window;
import android.view.WindowManager; import android.view.WindowManager;
import android.view.animation.AccelerateInterpolator; import android.view.animation.AccelerateInterpolator;
import android.view.animation.DecelerateInterpolator; import android.view.animation.DecelerateInterpolator;
import android.widget.FrameLayout; import android.widget.FrameLayout;
import android.widget.ImageView;
import android.widget.LinearLayout; import android.widget.LinearLayout;
import android.widget.TextView; import android.widget.TextView;
@ -30,48 +35,104 @@ import org.telegram.android.AndroidUtilities;
import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy; import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy;
import org.telegram.android.AnimationCompat.AnimatorSetProxy; import org.telegram.android.AnimationCompat.AnimatorSetProxy;
import org.telegram.android.AnimationCompat.ObjectAnimatorProxy; import org.telegram.android.AnimationCompat.ObjectAnimatorProxy;
import org.telegram.android.AnimationCompat.ViewProxy;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.ui.Components.LayoutHelper; import org.telegram.ui.Components.LayoutHelper;
import java.util.ArrayList;
public class BottomSheet extends Dialog { public class BottomSheet extends Dialog {
private LinearLayout linearLayout; private LinearLayout linearLayout;
private FrameLayout container; private FrameLayout container;
private boolean dismissed; private boolean dismissed;
private int tag;
private DialogInterface.OnClickListener onClickListener; private DialogInterface.OnClickListener onClickListener;
private CharSequence[] items; private CharSequence[] items;
private int[] itemIcons;
private View customView; private View customView;
private CharSequence title;
private boolean overrideTabletWidth = true; private boolean overrideTabletWidth = true;
private boolean isGrid;
private ColorDrawable backgroundDrawable = new ColorDrawable(0xff000000);
private int revealX;
private int revealY;
private boolean useRevealAnimation;
private DecelerateInterpolator decelerateInterpolator = new DecelerateInterpolator();
private AccelerateInterpolator accelerateInterpolator = new AccelerateInterpolator();
private ArrayList<BottomSheetCell> itemViews = new ArrayList<>();
private BottomSheetDelegate delegate; private BottomSheetDelegate delegate;
public interface BottomSheetDelegate { public interface BottomSheetDelegate {
void onOpenAnimationStart();
void onOpenAnimationEnd(); void onOpenAnimationEnd();
} }
private static class BottomSheetRow extends FrameLayout { private static class BottomSheetCell extends FrameLayout {
private TextView textView; private TextView textView;
private ImageView imageView;
private boolean isGrid;
public BottomSheetRow(Context context) { public BottomSheetCell(Context context, boolean grid) {
super(context); super(context);
isGrid = grid;
setBackgroundResource(R.drawable.list_selector); setBackgroundResource(R.drawable.list_selector);
setPadding(AndroidUtilities.dp(16), 0, AndroidUtilities.dp(16), 0); if (!grid) {
setPadding(AndroidUtilities.dp(16), 0, AndroidUtilities.dp(16), 0);
}
imageView = new ImageView(context);
imageView.setScaleType(ImageView.ScaleType.CENTER);
if (grid) {
addView(imageView, LayoutHelper.createFrame(48, 48, Gravity.CENTER_HORIZONTAL | Gravity.TOP, 0, 8, 0, 0));
} else {
addView(imageView, LayoutHelper.createFrame(24, 24, Gravity.CENTER_VERTICAL | (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT)));
}
textView = new TextView(context); textView = new TextView(context);
textView.setTextColor(0xff212121); textView.setLines(1);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16); textView.setSingleLine(true);
addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.CENTER_VERTICAL)); textView.setGravity(Gravity.CENTER_HORIZONTAL);
textView.setEllipsize(TextUtils.TruncateAt.END);
if (grid) {
textView.setTextColor(0xff757575);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 12);
addView(textView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.LEFT | Gravity.TOP, 0, 60, 0, 0));
} else {
textView.setTextColor(0xff212121);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.CENTER_VERTICAL));
}
} }
@Override @Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(48), MeasureSpec.EXACTLY)); super.onMeasure(isGrid ? MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(96), MeasureSpec.EXACTLY) : widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(isGrid ? 80 : 48), MeasureSpec.EXACTLY));
}
public void setTextAndIcon(CharSequence text, int icon) {
textView.setText(text);
if (icon != 0) {
imageView.setImageResource(icon);
imageView.setVisibility(VISIBLE);
if (!isGrid) {
textView.setPadding(LocaleController.isRTL ? 0 : AndroidUtilities.dp(56), 0, LocaleController.isRTL ? AndroidUtilities.dp(56) : 0, 0);
}
} else {
imageView.setVisibility(INVISIBLE);
textView.setPadding(0, 0, 0, 0);
}
} }
} }
@ -86,29 +147,17 @@ public class BottomSheet extends Dialog {
return false; return false;
} }
}); });
container.setBackgroundDrawable(backgroundDrawable);
} }
@Override @Override
protected void onCreate(Bundle savedInstanceState) { protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState); super.onCreate(savedInstanceState);
/*
<item name="android:windowFrame">@null</item>
<item name="android:textColor">@null</item>
<item name="android:layout_width">fill_parent</item>
<item name="android:windowBackground">@android:color/transparent</item>
<item name="android:windowIsFloating">true</item>
<item name="android:windowContentOverlay">@null</item>
<item name="android:windowIsTranslucent">true</item>
<item name="android:windowAnimationStyle">@style/BottomSheet.Animation</item>
<item name="android:textColorPrimary">#DD000000</item>
<item name="android:textColorSecondary">#8A000000</item>
<item name="android:textColorHint">#42000000</item>
*/
Window window = getWindow(); Window window = getWindow();
window.setBackgroundDrawableResource(R.drawable.transparent); window.setBackgroundDrawableResource(R.drawable.transparent);
window.requestFeature(Window.FEATURE_NO_TITLE); window.requestFeature(Window.FEATURE_NO_TITLE);
window.setWindowAnimations(R.style.DialogNoAnimation);
setContentView(container); setContentView(container);
@ -127,34 +176,94 @@ public class BottomSheet extends Dialog {
LinearLayout containerView = new LinearLayout(getContext()); LinearLayout containerView = new LinearLayout(getContext());
containerView.setBackgroundColor(0xffffffff); containerView.setBackgroundColor(0xffffffff);
containerView.setOrientation(LinearLayout.VERTICAL); containerView.setOrientation(LinearLayout.VERTICAL);
containerView.setPadding(0, AndroidUtilities.dp(8), 0, AndroidUtilities.dp(8)); containerView.setPadding(0, AndroidUtilities.dp(8), 0, AndroidUtilities.dp(isGrid ? 16 : 8));
linearLayout.addView(containerView, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT)); linearLayout.addView(containerView, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT));
if (title != null) {
TextView titleView = new TextView(getContext());
titleView.setLines(1);
titleView.setSingleLine(true);
titleView.setText(title);
titleView.setTextColor(0xff757575);
titleView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
titleView.setPadding(AndroidUtilities.dp(16), 0, AndroidUtilities.dp(16), AndroidUtilities.dp(8));
titleView.setGravity(Gravity.CENTER_VERTICAL);
containerView.addView(titleView, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, 48));
titleView.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View v, MotionEvent event) {
return true;
}
});
}
if (customView != null) {
if (customView.getParent() != null) {
ViewGroup viewGroup = (ViewGroup) customView.getParent();
viewGroup.removeView(customView);
}
containerView.addView(customView, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT));
}
if (items != null) { if (items != null) {
if (customView != null) {
FrameLayout frameLayout = new FrameLayout(getContext());
frameLayout.setPadding(0, AndroidUtilities.dp(8), 0, 0);
containerView.addView(frameLayout, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, 16));
View lineView = new View(getContext());
lineView.setBackgroundColor(0xffd2d2d2);
frameLayout.addView(lineView, new FrameLayout.LayoutParams(ViewGroup.LayoutParams.MATCH_PARENT, 1));
}
FrameLayout rowLayout = null;
int lastRowLayoutNum = 0;
for (int a = 0; a < items.length; a++) { for (int a = 0; a < items.length; a++) {
CharSequence charSequence = items[a]; BottomSheetCell cell = new BottomSheetCell(getContext(), isGrid);
BottomSheetRow row = new BottomSheetRow(getContext()); cell.setTextAndIcon(items[a], itemIcons != null ? itemIcons[a] : 0);
row.textView.setText(charSequence); if (isGrid) {
containerView.addView(row, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, 48)); int row = a / 3;
row.setTag(a); if (rowLayout == null || lastRowLayoutNum != row) {
row.setOnClickListener(new View.OnClickListener() { rowLayout = new FrameLayout(getContext());
lastRowLayoutNum = row;
containerView.addView(rowLayout, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, 80, 0, lastRowLayoutNum != 0 ? 8 : 0, 0, 0));
rowLayout.setOnTouchListener(new View.OnTouchListener() {
@Override
public boolean onTouch(View v, MotionEvent event) {
return true;
}
});
}
int col = a % 3;
int gravity;
if (col == 0) {
gravity = Gravity.LEFT | Gravity.TOP;
} else if (col == 1) {
gravity = Gravity.CENTER_HORIZONTAL | Gravity.TOP;
} else {
gravity = Gravity.RIGHT | Gravity.TOP;
}
rowLayout.addView(cell, LayoutHelper.createFrame(96, 80, gravity));
} else {
containerView.addView(cell, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, 48));
}
cell.setTag(a);
cell.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View v) { public void onClick(View v) {
dismissWithButtonClick((Integer) v.getTag()); dismissWithButtonClick((Integer) v.getTag());
} }
}); });
itemViews.add(cell);
} }
} }
if (customView != null) {
containerView.addView(customView, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT));
}
WindowManager.LayoutParams params = getWindow().getAttributes(); WindowManager.LayoutParams params = getWindow().getAttributes();
params.height = ViewGroup.LayoutParams.MATCH_PARENT; params.height = ViewGroup.LayoutParams.MATCH_PARENT;
params.width = ViewGroup.LayoutParams.MATCH_PARENT; params.width = ViewGroup.LayoutParams.MATCH_PARENT;
params.gravity = Gravity.TOP | Gravity.LEFT; params.gravity = Gravity.TOP | Gravity.LEFT;
params.dimAmount = 0.2f; params.flags |= WindowManager.LayoutParams.FLAG_ALT_FOCUSABLE_IM;
params.flags |= WindowManager.LayoutParams.FLAG_DIM_BEHIND | WindowManager.LayoutParams.FLAG_ALT_FOCUSABLE_IM; params.dimAmount = 0;
params.flags &= ~WindowManager.LayoutParams.FLAG_DIM_BEHIND;
if (Build.VERSION.SDK_INT >= 21) { if (Build.VERSION.SDK_INT >= 21) {
params.flags |= WindowManager.LayoutParams.FLAG_TRANSLUCENT_STATUS; params.flags |= WindowManager.LayoutParams.FLAG_TRANSLUCENT_STATUS;
params.type = WindowManager.LayoutParams.TYPE_SYSTEM_ERROR; params.type = WindowManager.LayoutParams.TYPE_SYSTEM_ERROR;
@ -164,20 +273,102 @@ public class BottomSheet extends Dialog {
setOnShowListener(new OnShowListener() { setOnShowListener(new OnShowListener() {
@Override @Override
public void onShow(DialogInterface dialog) { public void onShow(DialogInterface dialog) {
AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy(); if (useRevealAnimation) {
animatorSetProxy.playTogether( int finalRadius = Math.max(AndroidUtilities.displaySize.x, container.getHeight());
ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", linearLayout.getHeight(), 0)); Animator anim = ViewAnimationUtils.createCircularReveal(container, revealX, revealY, 0, finalRadius);
animatorSetProxy.setDuration(180); anim.setDuration(400);
animatorSetProxy.setInterpolator(new DecelerateInterpolator()); anim.addListener(new Animator.AnimatorListener() {
animatorSetProxy.addListener(new AnimatorListenerAdapterProxy() { @Override
@Override public void onAnimationStart(Animator animation) {
public void onAnimationEnd(Object animation) { if (delegate != null) {
if (delegate != null) { delegate.onOpenAnimationStart();
delegate.onOpenAnimationEnd(); }
} }
@Override
public void onAnimationEnd(Animator animation) {
if (delegate != null) {
delegate.onOpenAnimationEnd();
}
}
@Override
public void onAnimationCancel(Animator animation) {
}
@Override
public void onAnimationRepeat(Animator animation) {
}
});
anim.start();
} else {
//startLayoutAnimation(true, true);
ViewProxy.setTranslationY(linearLayout, linearLayout.getHeight());
backgroundDrawable.setAlpha(0);
AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy();
animatorSetProxy.playTogether(
ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", 0),
ObjectAnimatorProxy.ofInt(backgroundDrawable, "alpha", 51));
animatorSetProxy.setDuration(200);
animatorSetProxy.setStartDelay(20);
animatorSetProxy.setInterpolator(new DecelerateInterpolator());
animatorSetProxy.addListener(new AnimatorListenerAdapterProxy() {
@Override
public void onAnimationEnd(Object animation) {
if (delegate != null) {
delegate.onOpenAnimationEnd();
}
}
});
animatorSetProxy.start();
}
}
});
}
private float animationProgress;
private long lastFrameTime;
private void startLayoutAnimation(final boolean open, final boolean first) {
if (first) {
animationProgress = 0.0f;
lastFrameTime = System.nanoTime() / 1000000;
if (Build.VERSION.SDK_INT >= 11) {
container.setLayerType(View.LAYER_TYPE_HARDWARE, null);
}
}
AndroidUtilities.runOnUIThread(new Runnable() {
@Override
public void run() {
long newTime = System.nanoTime() / 1000000;
long dt = newTime - lastFrameTime;
FileLog.e("tmessages", "dt = " + dt);
if (dt > 16) {
dt = 16;
}
lastFrameTime = newTime;
animationProgress += dt / 200.0f;
if (animationProgress > 1.0f) {
animationProgress = 1.0f;
}
if (open) {
float interpolated = decelerateInterpolator.getInterpolation(animationProgress);
ViewProxy.setTranslationY(linearLayout, linearLayout.getHeight() * (1.0f - interpolated));
backgroundDrawable.setAlpha((int) (51 * interpolated));
} else {
float interpolated = accelerateInterpolator.getInterpolation(animationProgress);
ViewProxy.setTranslationY(linearLayout, linearLayout.getHeight() * interpolated);
backgroundDrawable.setAlpha((int) (51 * (1.0f - interpolated)));
}
if (animationProgress < 1) {
startLayoutAnimation(open, false);
} else {
if (open && delegate != null) {
delegate.onOpenAnimationEnd();
} }
}); }
animatorSetProxy.start();
} }
}); });
} }
@ -194,13 +385,26 @@ public class BottomSheet extends Dialog {
return linearLayout; return linearLayout;
} }
public int getTag() {
return tag;
}
public void setItemText(int item, CharSequence text) {
if (item < 0 || item >= itemViews.size()) {
return;
}
BottomSheetCell cell = itemViews.get(item);
cell.textView.setText(text);
}
private void dismissWithButtonClick(final int item) { private void dismissWithButtonClick(final int item) {
if (dismissed) { if (dismissed) {
return; return;
} }
AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy(); AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy();
animatorSetProxy.playTogether( animatorSetProxy.playTogether(
ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", linearLayout.getHeight() + AndroidUtilities.dp(10)) ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", linearLayout.getHeight() + AndroidUtilities.dp(10)),
ObjectAnimatorProxy.ofInt(backgroundDrawable, "alpha", 0)
); );
animatorSetProxy.setDuration(180); animatorSetProxy.setDuration(180);
animatorSetProxy.setInterpolator(new AccelerateInterpolator()); animatorSetProxy.setInterpolator(new AccelerateInterpolator());
@ -238,7 +442,8 @@ public class BottomSheet extends Dialog {
dismissed = true; dismissed = true;
AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy(); AnimatorSetProxy animatorSetProxy = new AnimatorSetProxy();
animatorSetProxy.playTogether( animatorSetProxy.playTogether(
ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", linearLayout.getHeight() + AndroidUtilities.dp(10)) ObjectAnimatorProxy.ofFloat(linearLayout, "translationY", linearLayout.getHeight() + AndroidUtilities.dp(10)),
ObjectAnimatorProxy.ofInt(backgroundDrawable, "alpha", 0)
); );
animatorSetProxy.setDuration(180); animatorSetProxy.setDuration(180);
animatorSetProxy.setInterpolator(new AccelerateInterpolator()); animatorSetProxy.setInterpolator(new AccelerateInterpolator());
@ -279,11 +484,23 @@ public class BottomSheet extends Dialog {
return this; return this;
} }
public Builder setItems(CharSequence[] items, int[] icons, final OnClickListener onClickListener) {
bottomSheet.items = items;
bottomSheet.itemIcons = icons;
bottomSheet.onClickListener = onClickListener;
return this;
}
public Builder setCustomView(View view) { public Builder setCustomView(View view) {
bottomSheet.customView = view; bottomSheet.customView = view;
return this; return this;
} }
public Builder setTitle(CharSequence title) {
bottomSheet.title = title;
return this;
}
public BottomSheet create() { public BottomSheet create() {
return bottomSheet; return bottomSheet;
} }
@ -293,6 +510,28 @@ public class BottomSheet extends Dialog {
return bottomSheet; return bottomSheet;
} }
public Builder setTag(int tag) {
bottomSheet.tag = tag;
return this;
}
public Builder setRevealAnimation(int x, int y) {
bottomSheet.revealX = x;
bottomSheet.revealY = y;
bottomSheet.useRevealAnimation = true;
return this;
}
public Builder setDelegate(BottomSheetDelegate delegate) {
bottomSheet.setDelegate(delegate);
return this;
}
public Builder setIsGrid(boolean value) {
bottomSheet.isGrid = value;
return this;
}
public BottomSheet setOverrideTabletWidth(boolean value) { public BottomSheet setOverrideTabletWidth(boolean value) {
bottomSheet.overrideTabletWidth = value; bottomSheet.overrideTabletWidth = value;
return bottomSheet; return bottomSheet;

View File

@ -25,6 +25,7 @@ import android.widget.FrameLayout;
import android.widget.ListView; import android.widget.ListView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.FileLog;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy; import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy;
import org.telegram.android.AnimationCompat.AnimatorSetProxy; import org.telegram.android.AnimationCompat.AnimatorSetProxy;
@ -147,7 +148,7 @@ public class DrawerLayoutContainer extends FrameLayout {
} }
requestLayout(); requestLayout();
final int newVisibility = drawerPosition > 0 ? VISIBLE : INVISIBLE; final int newVisibility = drawerPosition > 0 ? VISIBLE : GONE;
if (drawerLayout.getVisibility() != newVisibility) { if (drawerLayout.getVisibility() != newVisibility) {
drawerLayout.setVisibility(newVisibility); drawerLayout.setVisibility(newVisibility);
} }
@ -393,10 +394,14 @@ public class DrawerLayoutContainer extends FrameLayout {
final LayoutParams lp = (LayoutParams) child.getLayoutParams(); final LayoutParams lp = (LayoutParams) child.getLayoutParams();
if (drawerLayout != child) { try {
child.layout(lp.leftMargin, lp.topMargin, lp.leftMargin + child.getMeasuredWidth(), lp.topMargin + child.getMeasuredHeight()); if (drawerLayout != child) {
} else { child.layout(lp.leftMargin, lp.topMargin, lp.leftMargin + child.getMeasuredWidth(), lp.topMargin + child.getMeasuredHeight());
child.layout(-child.getMeasuredWidth() + (int)drawerPosition, lp.topMargin, (int)drawerPosition, lp.topMargin + child.getMeasuredHeight()); } else {
child.layout(-child.getMeasuredWidth() + (int)drawerPosition, lp.topMargin, (int)drawerPosition, lp.topMargin + child.getMeasuredHeight());
}
} catch (Exception e) {
FileLog.e("tmessages", e);
} }
} }
inLayout = false; inLayout = false;

View File

@ -19,10 +19,12 @@ import org.telegram.messenger.TLRPC;
import org.telegram.ui.Cells.DialogCell; import org.telegram.ui.Cells.DialogCell;
import org.telegram.ui.Cells.LoadingCell; import org.telegram.ui.Cells.LoadingCell;
import java.util.ArrayList;
public class DialogsAdapter extends RecyclerView.Adapter { public class DialogsAdapter extends RecyclerView.Adapter {
private Context mContext; private Context mContext;
private boolean serverOnly; private int dialogsType;
private long openedDialogId; private long openedDialogId;
private int currentCount; private int currentCount;
@ -33,9 +35,9 @@ public class DialogsAdapter extends RecyclerView.Adapter {
} }
} }
public DialogsAdapter(Context context, boolean onlyFromServer) { public DialogsAdapter(Context context, int type) {
mContext = context; mContext = context;
serverOnly = onlyFromServer; dialogsType = type;
} }
public void setOpenedDialogId(long id) { public void setOpenedDialogId(long id) {
@ -47,14 +49,20 @@ public class DialogsAdapter extends RecyclerView.Adapter {
return current != getItemCount(); return current != getItemCount();
} }
private ArrayList<TLRPC.TL_dialog> getDialogsArray() {
if (dialogsType == 0) {
return MessagesController.getInstance().dialogs;
} else if (dialogsType == 1) {
return MessagesController.getInstance().dialogsServerOnly;
} else if (dialogsType == 2) {
return MessagesController.getInstance().dialogsGroupsOnly;
}
return null;
}
@Override @Override
public int getItemCount() { public int getItemCount() {
int count; int count = getDialogsArray().size();
if (serverOnly) {
count = MessagesController.getInstance().dialogsServerOnly.size();
} else {
count = MessagesController.getInstance().dialogs.size();
}
if (count == 0 && MessagesController.getInstance().loadingDialogs) { if (count == 0 && MessagesController.getInstance().loadingDialogs) {
return 0; return 0;
} }
@ -66,17 +74,11 @@ public class DialogsAdapter extends RecyclerView.Adapter {
} }
public TLRPC.TL_dialog getItem(int i) { public TLRPC.TL_dialog getItem(int i) {
if (serverOnly) { ArrayList<TLRPC.TL_dialog> arrayList = getDialogsArray();
if (i < 0 || i >= MessagesController.getInstance().dialogsServerOnly.size()) { if (i < 0 || i >= arrayList.size()) {
return null; return null;
}
return MessagesController.getInstance().dialogsServerOnly.get(i);
} else {
if (i < 0 || i >= MessagesController.getInstance().dialogs.size()) {
return null;
}
return MessagesController.getInstance().dialogs.get(i);
} }
return arrayList.get(i);
} }
@Override @Override
@ -100,22 +102,19 @@ public class DialogsAdapter extends RecyclerView.Adapter {
if (viewHolder.getItemViewType() == 0) { if (viewHolder.getItemViewType() == 0) {
DialogCell cell = (DialogCell) viewHolder.itemView; DialogCell cell = (DialogCell) viewHolder.itemView;
cell.useSeparator = (i != getItemCount() - 1); cell.useSeparator = (i != getItemCount() - 1);
TLRPC.TL_dialog dialog; TLRPC.TL_dialog dialog = getItem(i);
if (serverOnly) { if (dialogsType == 0) {
dialog = MessagesController.getInstance().dialogsServerOnly.get(i);
} else {
dialog = MessagesController.getInstance().dialogs.get(i);
if (AndroidUtilities.isTablet()) { if (AndroidUtilities.isTablet()) {
cell.setDialogSelected(dialog.id == openedDialogId); cell.setDialogSelected(dialog.id == openedDialogId);
} }
} }
cell.setDialog(dialog, i, serverOnly); cell.setDialog(dialog, i, dialogsType);
} }
} }
@Override @Override
public int getItemViewType(int i) { public int getItemViewType(int i) {
if (serverOnly && i == MessagesController.getInstance().dialogsServerOnly.size() || !serverOnly && i == MessagesController.getInstance().dialogs.size()) { if (i == getDialogsArray().size()) {
return 1; return 1;
} }
return 0; return 0;

View File

@ -160,7 +160,7 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
}, true, RPCRequest.RPCRequestClassGeneric | RPCRequest.RPCRequestClassFailOnServerErrors); }, true, RPCRequest.RPCRequestClassGeneric | RPCRequest.RPCRequestClassFailOnServerErrors);
} }
private void searchDialogsInternal(final String query, final boolean serverOnly, final int searchId) { private void searchDialogsInternal(final String query, final int dialogsType, final int searchId) {
if (needMessagesSearch == 2) { if (needMessagesSearch == 2) {
return; return;
} }
@ -202,12 +202,12 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
int high_id = (int) (id >> 32); int high_id = (int) (id >> 32);
if (lower_id != 0) { if (lower_id != 0) {
if (high_id == 1) { if (high_id == 1) {
if (!serverOnly && !chatsToLoad.contains(lower_id)) { if (dialogsType == 0 && !chatsToLoad.contains(lower_id)) {
chatsToLoad.add(lower_id); chatsToLoad.add(lower_id);
} }
} else { } else {
if (lower_id > 0) { if (lower_id > 0) {
if (!usersToLoad.contains(lower_id)) { if (dialogsType != 2 && !usersToLoad.contains(lower_id)) {
usersToLoad.add(lower_id); usersToLoad.add(lower_id);
} }
} else { } else {
@ -216,7 +216,7 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
} }
} }
} }
} else if (!serverOnly) { } else if (dialogsType == 0) {
if (!encryptedToLoad.contains(high_id)) { if (!encryptedToLoad.contains(high_id)) {
encryptedToLoad.add(high_id); encryptedToLoad.add(high_id);
} }
@ -394,49 +394,51 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
resultArrayNames.add(dialogSearchResult.name); resultArrayNames.add(dialogSearchResult.name);
} }
cursor = MessagesStorage.getInstance().getDatabase().queryFinalized("SELECT u.data, u.status, u.name, u.uid FROM users as u INNER JOIN contacts as c ON u.uid = c.uid"); if (dialogsType != 2) {
while (cursor.next()) { cursor = MessagesStorage.getInstance().getDatabase().queryFinalized("SELECT u.data, u.status, u.name, u.uid FROM users as u INNER JOIN contacts as c ON u.uid = c.uid");
int uid = cursor.intValue(3); while (cursor.next()) {
if (dialogsResult.containsKey((long) uid)) { int uid = cursor.intValue(3);
continue; if (dialogsResult.containsKey((long) uid)) {
} continue;
String name = cursor.stringValue(2);
String tName = LocaleController.getInstance().getTranslitString(name);
if (name.equals(tName)) {
tName = null;
}
String username = null;
int usernamePos = name.lastIndexOf(";;;");
if (usernamePos != -1) {
username = name.substring(usernamePos + 3);
}
int found = 0;
for (String q : search) {
if (name.startsWith(q) || name.contains(" " + q) || tName != null && (tName.startsWith(q) || tName.contains(" " + q))) {
found = 1;
} else if (username != null && username.startsWith(q)) {
found = 2;
} }
if (found != 0) { String name = cursor.stringValue(2);
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0)); String tName = LocaleController.getInstance().getTranslitString(name);
if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) { if (name.equals(tName)) {
TLRPC.User user = TLRPC.User.TLdeserialize(data, data.readInt32(false), false); tName = null;
if (user.status != null) { }
user.status.expires = cursor.intValue(1); String username = null;
} int usernamePos = name.lastIndexOf(";;;");
if (found == 1) { if (usernamePos != -1) {
resultArrayNames.add(AndroidUtilities.generateSearchName(user.first_name, user.last_name, q)); username = name.substring(usernamePos + 3);
} else { }
resultArrayNames.add(AndroidUtilities.generateSearchName("@" + user.username, null, "@" + q)); int found = 0;
} for (String q : search) {
resultArray.add(user); if (name.startsWith(q) || name.contains(" " + q) || tName != null && (tName.startsWith(q) || tName.contains(" " + q))) {
found = 1;
} else if (username != null && username.startsWith(q)) {
found = 2;
}
if (found != 0) {
ByteBufferDesc data = MessagesStorage.getInstance().getBuffersStorage().getFreeBuffer(cursor.byteArrayLength(0));
if (data != null && cursor.byteBufferValue(0, data.buffer) != 0) {
TLRPC.User user = TLRPC.User.TLdeserialize(data, data.readInt32(false), false);
if (user.status != null) {
user.status.expires = cursor.intValue(1);
}
if (found == 1) {
resultArrayNames.add(AndroidUtilities.generateSearchName(user.first_name, user.last_name, q));
} else {
resultArrayNames.add(AndroidUtilities.generateSearchName("@" + user.username, null, "@" + q));
}
resultArray.add(user);
}
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
break;
} }
MessagesStorage.getInstance().getBuffersStorage().reuseFreeBuffer(data);
break;
} }
} }
cursor.dispose();
} }
cursor.dispose();
updateSearchResults(resultArray, resultArrayNames, encUsers, searchId); updateSearchResults(resultArray, resultArrayNames, encUsers, searchId);
} catch (Exception e) { } catch (Exception e) {
@ -502,13 +504,14 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
notifyDataSetChanged(); notifyDataSetChanged();
} }
public void searchDialogs(final String query, final boolean serverOnly) { public void searchDialogs(final String query, final int dialogsType) {
if (query != null && lastSearchText != null && query.equals(lastSearchText)) { if (query != null && lastSearchText != null && query.equals(lastSearchText)) {
return; return;
} }
try { try {
if (searchTimer != null) { if (searchTimer != null) {
searchTimer.cancel(); searchTimer.cancel();
searchTimer = null;
} }
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
@ -524,7 +527,7 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
searchMessagesInternal(null); searchMessagesInternal(null);
notifyDataSetChanged(); notifyDataSetChanged();
} else { } else {
if (query.startsWith("#") && query.length() == 1) { if (needMessagesSearch != 2 && (query.startsWith("#") && query.length() == 1)) {
messagesSearchEndReached = true; messagesSearchEndReached = true;
if (!hashtagsLoadedFromDb) { if (!hashtagsLoadedFromDb) {
loadRecentHashtags(); loadRecentHashtags();
@ -553,12 +556,13 @@ public class DialogsSearchAdapter extends BaseSearchAdapterRecycler {
@Override @Override
public void run() { public void run() {
try { try {
cancel();
searchTimer.cancel(); searchTimer.cancel();
searchTimer = null; searchTimer = null;
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
searchDialogsInternal(query, serverOnly, searchId); searchDialogsInternal(query, dialogsType, searchId);
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
public void run() { public void run() {

View File

@ -13,6 +13,7 @@ import android.view.View;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.widget.BaseAdapter; import android.widget.BaseAdapter;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.messenger.R; import org.telegram.messenger.R;
@ -70,7 +71,7 @@ public class DrawerLayoutAdapter extends BaseAdapter {
((DrawerProfileCell) view).setUser(MessagesController.getInstance().getUser(UserConfig.getClientUserId())); ((DrawerProfileCell) view).setUser(MessagesController.getInstance().getUser(UserConfig.getClientUserId()));
} else if (type == 1) { } else if (type == 1) {
if (view == null) { if (view == null) {
view = new EmptyCell(mContext, 8); view = new EmptyCell(mContext, AndroidUtilities.dp(8));
} }
} else if (type == 2) { } else if (type == 2) {
if (view == null) { if (view == null) {

View File

@ -14,6 +14,7 @@ import android.view.ViewGroup;
import org.telegram.android.MessageObject; import org.telegram.android.MessageObject;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.UserObject;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.ui.Cells.MentionCell; import org.telegram.ui.Cells.MentionCell;
@ -32,7 +33,11 @@ public class MentionsAdapter extends BaseSearchAdapter {
private TLRPC.ChatParticipants info; private TLRPC.ChatParticipants info;
private ArrayList<TLRPC.User> searchResultUsernames; private ArrayList<TLRPC.User> searchResultUsernames;
private ArrayList<String> searchResultHashtags; private ArrayList<String> searchResultHashtags;
private ArrayList<String> searchResultCommands;
private ArrayList<String> searchResultCommandsHelp;
private ArrayList<TLRPC.User> searchResultCommandsUsers;
private MentionsAdapterDelegate delegate; private MentionsAdapterDelegate delegate;
private HashMap<Integer, TLRPC.BotInfo> botInfo;
private int resultStartPosition; private int resultStartPosition;
private int resultLength; private int resultLength;
private String lastText; private String lastText;
@ -40,6 +45,7 @@ public class MentionsAdapter extends BaseSearchAdapter {
private ArrayList<MessageObject> messages; private ArrayList<MessageObject> messages;
private boolean needUsernames = true; private boolean needUsernames = true;
private boolean isDarkTheme; private boolean isDarkTheme;
private int botsCount;
public MentionsAdapter(Context context, boolean isDarkTheme, MentionsAdapterDelegate delegate) { public MentionsAdapter(Context context, boolean isDarkTheme, MentionsAdapterDelegate delegate) {
mContext = context; mContext = context;
@ -58,6 +64,14 @@ public class MentionsAdapter extends BaseSearchAdapter {
needUsernames = value; needUsernames = value;
} }
public void setBotInfo(HashMap<Integer, TLRPC.BotInfo> info) {
botInfo = info;
}
public void setBotsCount(int count) {
botsCount = count;
}
@Override @Override
public void clearRecentHashtags() { public void clearRecentHashtags() {
super.clearRecentHashtags(); super.clearRecentHashtags();
@ -126,6 +140,11 @@ public class MentionsAdapter extends BaseSearchAdapter {
resultLength = result.length() + 1; resultLength = result.length() + 1;
result.insert(0, ch); result.insert(0, ch);
break; break;
} else if (a == 0 && botInfo != null && ch == '/') {
foundType = 2;
resultStartPosition = a;
resultLength = result.length() + 1;
break;
} }
} }
if (!(ch >= '0' && ch <= '9' || ch >= 'a' && ch <= 'z' || ch >= 'A' && ch <= 'Z' || ch == '_')) { if (!(ch >= '0' && ch <= '9' || ch >= 'a' && ch <= 'z' || ch >= 'A' && ch <= 'Z' || ch == '_')) {
@ -149,7 +168,7 @@ public class MentionsAdapter extends BaseSearchAdapter {
ArrayList<TLRPC.User> newResult = new ArrayList<>(); ArrayList<TLRPC.User> newResult = new ArrayList<>();
for (TLRPC.TL_chatParticipant chatParticipant : info.participants) { for (TLRPC.TL_chatParticipant chatParticipant : info.participants) {
TLRPC.User user = MessagesController.getInstance().getUser(chatParticipant.user_id); TLRPC.User user = MessagesController.getInstance().getUser(chatParticipant.user_id);
if (user == null || user instanceof TLRPC.TL_userSelf) { if (user == null || UserObject.isUserSelf(user)) {
continue; continue;
} }
if (user.username != null && user.username.length() > 0 && (usernameString.length() > 0 && user.username.toLowerCase().startsWith(usernameString) || usernameString.length() == 0)) { if (user.username != null && user.username.length() > 0 && (usernameString.length() > 0 && user.username.toLowerCase().startsWith(usernameString) || usernameString.length() == 0)) {
@ -157,6 +176,9 @@ public class MentionsAdapter extends BaseSearchAdapter {
} }
} }
searchResultHashtags = null; searchResultHashtags = null;
searchResultCommands = null;
searchResultCommandsHelp = null;
searchResultCommandsUsers = null;
searchResultUsernames = newResult; searchResultUsernames = newResult;
Collections.sort(searchResultUsernames, new Comparator<TLRPC.User>() { Collections.sort(searchResultUsernames, new Comparator<TLRPC.User>() {
@Override @Override
@ -175,16 +197,40 @@ public class MentionsAdapter extends BaseSearchAdapter {
}); });
notifyDataSetChanged(); notifyDataSetChanged();
delegate.needChangePanelVisibility(!newResult.isEmpty()); delegate.needChangePanelVisibility(!newResult.isEmpty());
} else { } else if (foundType == 1) {
ArrayList<String> newResult = new ArrayList<>(); ArrayList<String> newResult = new ArrayList<>();
String hashtagString = result.toString().toLowerCase(); String hashtagString = result.toString().toLowerCase();
for (HashtagObject hashtagObject : hashtags) { for (HashtagObject hashtagObject : hashtags) {
if (hashtagString != null && hashtagObject.hashtag != null && hashtagObject.hashtag.startsWith(hashtagString)) { if (hashtagObject != null && hashtagObject.hashtag != null && hashtagObject.hashtag.startsWith(hashtagString)) {
newResult.add(hashtagObject.hashtag); newResult.add(hashtagObject.hashtag);
} }
} }
searchResultHashtags = newResult; searchResultHashtags = newResult;
searchResultUsernames = null; searchResultUsernames = null;
searchResultCommands = null;
searchResultCommandsHelp = null;
searchResultCommandsUsers = null;
notifyDataSetChanged();
delegate.needChangePanelVisibility(!newResult.isEmpty());
} else if (foundType == 2) {
ArrayList<String> newResult = new ArrayList<>();
ArrayList<String> newResultHelp = new ArrayList<>();
ArrayList<TLRPC.User> newResultUsers = new ArrayList<>();
String command = result.toString().toLowerCase();
for (HashMap.Entry<Integer, TLRPC.BotInfo> entry : botInfo.entrySet()) {
for (TLRPC.TL_botCommand botCommand : entry.getValue().commands) {
if (botCommand != null && botCommand.command != null && botCommand.command.startsWith(command)) {
newResult.add("/" + botCommand.command);
newResultHelp.add(botCommand.description);
newResultUsers.add(MessagesController.getInstance().getUser(entry.getValue().user_id));
}
}
}
searchResultHashtags = null;
searchResultUsernames = null;
searchResultCommands = newResult;
searchResultCommandsHelp = newResultHelp;
searchResultCommandsUsers = newResultUsers;
notifyDataSetChanged(); notifyDataSetChanged();
delegate.needChangePanelVisibility(!newResult.isEmpty()); delegate.needChangePanelVisibility(!newResult.isEmpty());
} }
@ -209,6 +255,8 @@ public class MentionsAdapter extends BaseSearchAdapter {
return searchResultUsernames.size(); return searchResultUsernames.size();
} else if (searchResultHashtags != null) { } else if (searchResultHashtags != null) {
return searchResultHashtags.size(); return searchResultHashtags.size();
} else if (searchResultCommands != null) {
return searchResultCommands.size();
} }
return 0; return 0;
} }
@ -219,6 +267,8 @@ public class MentionsAdapter extends BaseSearchAdapter {
return searchResultUsernames.isEmpty(); return searchResultUsernames.isEmpty();
} else if (searchResultHashtags != null) { } else if (searchResultHashtags != null) {
return searchResultHashtags.isEmpty(); return searchResultHashtags.isEmpty();
} else if (searchResultCommands != null) {
return searchResultCommands.isEmpty();
} }
return true; return true;
} }
@ -255,10 +305,26 @@ public class MentionsAdapter extends BaseSearchAdapter {
return null; return null;
} }
return searchResultHashtags.get(i); return searchResultHashtags.get(i);
} else if (searchResultCommands != null) {
if (i < 0 || i >= searchResultCommands.size()) {
return null;
}
if (searchResultCommandsUsers != null && botsCount != 1) {
return String.format("%s@%s", searchResultCommands.get(i), searchResultCommandsUsers.get(i).username);
}
return searchResultCommands.get(i);
} }
return null; return null;
} }
public boolean isLongClickEnabled() {
return searchResultHashtags != null;
}
public boolean isBotCommands() {
return searchResultCommands != null;
}
@Override @Override
public View getView(int i, View view, ViewGroup viewGroup) { public View getView(int i, View view, ViewGroup viewGroup) {
if (view == null) { if (view == null) {
@ -269,6 +335,8 @@ public class MentionsAdapter extends BaseSearchAdapter {
((MentionCell) view).setUser(searchResultUsernames.get(i)); ((MentionCell) view).setUser(searchResultUsernames.get(i));
} else if (searchResultHashtags != null) { } else if (searchResultHashtags != null) {
((MentionCell) view).setText(searchResultHashtags.get(i)); ((MentionCell) view).setText(searchResultHashtags.get(i));
} else if (searchResultCommands != null) {
((MentionCell) view).setBotCommand(searchResultCommands.get(i), searchResultCommandsHelp.get(i), searchResultCommandsUsers.get(i));
} }
return view; return view;
} }

View File

@ -0,0 +1,123 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Adapters;
import android.content.Context;
import android.view.View;
import android.view.ViewGroup;
import org.telegram.android.MediaController;
import org.telegram.android.NotificationCenter;
import org.telegram.android.support.widget.RecyclerView;
import org.telegram.ui.Cells.PhotoAttachPhotoCell;
import java.util.HashMap;
public class PhotoAttachAdapter extends RecyclerView.Adapter implements NotificationCenter.NotificationCenterDelegate {
private Context mContext;
private PhotoAttachAdapterDelegate delegate;
private HashMap<Integer, MediaController.PhotoEntry> selectedPhotos = new HashMap<>();
public interface PhotoAttachAdapterDelegate {
void selectedPhotosChanged();
}
private class Holder extends RecyclerView.ViewHolder {
public Holder(View itemView) {
super(itemView);
}
}
public PhotoAttachAdapter(Context context) {
mContext = context;
NotificationCenter.getInstance().addObserver(this, NotificationCenter.albumsDidLoaded);
if (MediaController.allPhotosAlbumEntry == null) {
MediaController.loadGalleryPhotosAlbums(0);
}
}
public void onDestroy() {
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.albumsDidLoaded);
}
public void clearSelectedPhotos() {
if (!selectedPhotos.isEmpty()) {
selectedPhotos.clear();
delegate.selectedPhotosChanged();
notifyDataSetChanged();
}
}
public HashMap<Integer, MediaController.PhotoEntry> getSelectedPhotos() {
return selectedPhotos;
}
public void setDelegate(PhotoAttachAdapterDelegate photoAttachAdapterDelegate) {
delegate = photoAttachAdapterDelegate;
}
@Override
public void didReceivedNotification(int id, Object... args) {
if (id == NotificationCenter.albumsDidLoaded) {
notifyDataSetChanged();
}
}
@Override
public void onBindViewHolder(RecyclerView.ViewHolder holder, int position) {
//if (position != 0) {
PhotoAttachPhotoCell cell = (PhotoAttachPhotoCell) holder.itemView;
MediaController.PhotoEntry photoEntry = MediaController.allPhotosAlbumEntry.photos.get(position/* - 1*/);
cell.setPhotoEntry(photoEntry, position == MediaController.allPhotosAlbumEntry.photos.size());
cell.setChecked(selectedPhotos.containsKey(photoEntry.imageId), false);
//}
}
@Override
public RecyclerView.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) {
View view;
/*if (viewType == 0) {
view = new PhotoAttachCameraCell(mContext);
} else {*/
PhotoAttachPhotoCell cell = new PhotoAttachPhotoCell(mContext);
cell.setOnCheckClickLisnener(new View.OnClickListener() {
@Override
public void onClick(View v) {
PhotoAttachPhotoCell cell = (PhotoAttachPhotoCell) v.getParent();
MediaController.PhotoEntry photoEntry = cell.getPhotoEntry();
if (selectedPhotos.containsKey(photoEntry.imageId)) {
selectedPhotos.remove(photoEntry.imageId);
cell.setChecked(false, true);
} else {
selectedPhotos.put(photoEntry.imageId, photoEntry);
cell.setChecked(true, true);
}
delegate.selectedPhotosChanged();
}
});
view = cell;
//}
return new Holder(view);
}
@Override
public int getItemCount() {
return /*1 + */(MediaController.allPhotosAlbumEntry != null ? MediaController.allPhotosAlbumEntry.photos.size() : 0);
}
@Override
public int getItemViewType(int position) {
//if (position == 0) {
return 0;
//}
//return 1;
}
}

View File

@ -51,7 +51,7 @@ public class StickersAdapter extends RecyclerView.Adapter implements Notificatio
NotificationCenter.getInstance().addObserver(this, NotificationCenter.FileDidFailedLoad); NotificationCenter.getInstance().addObserver(this, NotificationCenter.FileDidFailedLoad);
} }
public void destroy() { public void onDestroy() {
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.FileDidLoaded); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.FileDidLoaded);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.FileDidFailedLoad); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.FileDidFailedLoad);
} }

View File

@ -21,6 +21,8 @@ import org.telegram.ui.Components.SimpleTextView;
public class AddMemberCell extends FrameLayout { public class AddMemberCell extends FrameLayout {
private SimpleTextView textView;
public AddMemberCell(Context context) { public AddMemberCell(Context context) {
super(context); super(context);
@ -29,10 +31,9 @@ public class AddMemberCell extends FrameLayout {
imageView.setScaleType(ImageView.ScaleType.CENTER); imageView.setScaleType(ImageView.ScaleType.CENTER);
addView(imageView, LayoutHelper.createFrame(48, 48, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP, LocaleController.isRTL ? 0 : 68, 8, LocaleController.isRTL ? 68 : 0, 0)); addView(imageView, LayoutHelper.createFrame(48, 48, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP, LocaleController.isRTL ? 0 : 68, 8, LocaleController.isRTL ? 68 : 0, 0));
SimpleTextView textView = new SimpleTextView(context); textView = new SimpleTextView(context);
textView.setTextColor(0xff212121); textView.setTextColor(0xff212121);
textView.setTextSize(17); textView.setTextSize(17);
textView.setText(LocaleController.getString("AddMember", R.string.AddMember));
textView.setGravity((LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP); textView.setGravity((LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP);
addView(textView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 20, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP, LocaleController.isRTL ? 28 : 129, 22.5f, LocaleController.isRTL ? 129 : 28, 0)); addView(textView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 20, (LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT) | Gravity.TOP, LocaleController.isRTL ? 28 : 129, 22.5f, LocaleController.isRTL ? 129 : 28, 0));
} }
@ -41,4 +42,8 @@ public class AddMemberCell extends FrameLayout {
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(64), MeasureSpec.EXACTLY)); super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(64), MeasureSpec.EXACTLY));
} }
public void setText(String text) {
textView.setText(text);
}
} }

View File

@ -80,6 +80,11 @@ public class BaseCell extends View {
} }
} }
@Override
public boolean hasOverlappingRendering() {
return false;
}
protected void onLongPress() { protected void onLongPress() {
} }

View File

@ -0,0 +1,196 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Cells;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Paint;
import android.text.Layout;
import android.text.Spannable;
import android.text.SpannableStringBuilder;
import android.text.Spanned;
import android.text.StaticLayout;
import android.text.TextPaint;
import android.text.style.ClickableSpan;
import android.view.MotionEvent;
import android.view.View;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController;
import org.telegram.android.MessageObject;
import org.telegram.messenger.FileLog;
import org.telegram.messenger.R;
import org.telegram.ui.Components.LinkPath;
import org.telegram.ui.Components.ResourceLoader;
import org.telegram.ui.Components.TypefaceSpan;
import org.telegram.ui.Components.URLSpanNoUnderline;
public class BotHelpCell extends View {
private StaticLayout textLayout;
private TextPaint textPaint;
private Paint urlPaint;
private String oldText;
private int width;
private int height;
private int textX;
private int textY;
private ClickableSpan pressedLink;
private LinkPath urlPath = new LinkPath();
private BotHelpCellDelegate delegate;
public interface BotHelpCellDelegate {
void didPressUrl(String url);
}
public BotHelpCell(Context context) {
super(context);
textPaint = new TextPaint(Paint.ANTI_ALIAS_FLAG);
textPaint.setTextSize(AndroidUtilities.dp(16));
textPaint.setColor(0xff000000);
textPaint.linkColor = 0xff316f9f;
urlPaint = new Paint();
urlPaint.setColor(0x33316f9f);
}
public void setDelegate(BotHelpCellDelegate botHelpCellDelegate) {
delegate = botHelpCellDelegate;
}
private void resetPressedLink() {
if (pressedLink != null) {
pressedLink = null;
}
invalidate();
}
public void setText(String text) {
if (text == null || text.length() == 0) {
setVisibility(GONE);
return;
}
if (text != null && oldText != null && text.equals(oldText)) {
return;
}
oldText = text;
setVisibility(VISIBLE);
if (AndroidUtilities.isTablet()) {
width = (int) (AndroidUtilities.getMinTabletSide() * 0.7f);
} else {
width = (int) (Math.min(AndroidUtilities.displaySize.x, AndroidUtilities.displaySize.y) * 0.7f);
}
SpannableStringBuilder stringBuilder = new SpannableStringBuilder();
String help = LocaleController.getString("BotInfoTitle", R.string.BotInfoTitle);
stringBuilder.append(help);
stringBuilder.append("\n\n");
stringBuilder.append(text);
MessageObject.addLinks(stringBuilder);
stringBuilder.setSpan(new TypefaceSpan(AndroidUtilities.getTypeface("fonts/rmedium.ttf")), 0, help.length(), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
textLayout = new StaticLayout(stringBuilder, textPaint, width, Layout.Alignment.ALIGN_NORMAL, 1.0f, 0.0f, false);
width = 0;
height = textLayout.getHeight() + AndroidUtilities.dp(4 + 18);
int count = textLayout.getLineCount();
for (int a = 0; a < count; a++) {
width = (int) Math.ceil(Math.max(width, textLayout.getLineWidth(a) - textLayout.getLineLeft(a)));
}
width += AndroidUtilities.dp(4 + 18);
}
@Override
public boolean onTouchEvent(MotionEvent event) {
float x = event.getX();
float y = event.getY();
boolean result = false;
int side = AndroidUtilities.dp(48);
if (textLayout != null) {
if (event.getAction() == MotionEvent.ACTION_DOWN || pressedLink != null && event.getAction() == MotionEvent.ACTION_UP) {
if (event.getAction() == MotionEvent.ACTION_DOWN) {
resetPressedLink();
try {
int x2 = (int) (x - textX);
int y2 = (int) (y - textY);
final int line = textLayout.getLineForVertical(y2);
final int off = textLayout.getOffsetForHorizontal(line, x2);
final float left = textLayout.getLineLeft(line);
if (left <= x2 && left + textLayout.getLineWidth(line) >= x2) {
Spannable buffer = (Spannable) textLayout.getText();
ClickableSpan[] link = buffer.getSpans(off, off, ClickableSpan.class);
if (link.length != 0) {
resetPressedLink();
pressedLink = link[0];
result = true;
try {
int start = buffer.getSpanStart(pressedLink);
urlPath.setCurrentLayout(textLayout, start);
textLayout.getSelectionPath(start, buffer.getSpanEnd(pressedLink), urlPath);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} else {
resetPressedLink();
}
} else {
resetPressedLink();
}
} catch (Exception e) {
resetPressedLink();
FileLog.e("tmessages", e);
}
} else if (pressedLink != null) {
try {
if (pressedLink instanceof URLSpanNoUnderline) {
String url = ((URLSpanNoUnderline) pressedLink).getURL();
if (url.startsWith("@") || url.startsWith("#") || url.startsWith("/")) {
if (delegate != null) {
delegate.didPressUrl(url);
}
}
} else {
pressedLink.onClick(this);
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
resetPressedLink();
result = true;
}
} else if (event.getAction() == MotionEvent.ACTION_CANCEL) {
resetPressedLink();
}
}
return result || super.onTouchEvent(event);
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
setMeasuredDimension(MeasureSpec.makeMeasureSpec(MeasureSpec.getSize(widthMeasureSpec), MeasureSpec.EXACTLY), height + AndroidUtilities.dp(8));
}
@Override
protected void onDraw(Canvas canvas) {
int x = (canvas.getWidth() - width) / 2;
int y = AndroidUtilities.dp(4);
ResourceLoader.backgroundMediaDrawableIn.setBounds(x, y, width + x, height + y);
ResourceLoader.backgroundMediaDrawableIn.draw(canvas);
canvas.save();
canvas.translate(textX = AndroidUtilities.dp(2 + 9) + x, textY = AndroidUtilities.dp(2 + 9) + y);
if (pressedLink != null) {
canvas.drawPath(urlPath, urlPaint);
}
textLayout.draw(canvas);
canvas.restore();
}
}

View File

@ -144,14 +144,14 @@ public class ChatAudioCell extends ChatBaseCell implements SeekBar.SeekBarDelega
buttonState = 3; buttonState = 3;
invalidate(); invalidate();
} else if (buttonState == 3) { } else if (buttonState == 3) {
FileLoader.getInstance().cancelLoadFile(currentMessageObject.messageOwner.media.audio);
buttonState = 2;
invalidate();
} else if (buttonState == 4) {
if (currentMessageObject.isOut() && currentMessageObject.isSending()) { if (currentMessageObject.isOut() && currentMessageObject.isSending()) {
if (delegate != null) { if (delegate != null) {
delegate.didPressedCancelSendButton(this); delegate.didPressedCancelSendButton(this);
} }
} else {
FileLoader.getInstance().cancelLoadFile(currentMessageObject.messageOwner.media.audio);
buttonState = 2;
invalidate();
} }
} }
} }
@ -194,8 +194,16 @@ public class ChatAudioCell extends ChatBaseCell implements SeekBar.SeekBarDelega
if (currentMessageObject.isOut() && currentMessageObject.isSending()) { if (currentMessageObject.isOut() && currentMessageObject.isSending()) {
buttonState = 4; buttonState = 4;
} else { } else {
String fileName = currentMessageObject.getFileName(); File cacheFile = null;
File cacheFile = FileLoader.getPathToMessage(currentMessageObject.messageOwner); if (currentMessageObject.messageOwner.attachPath != null && currentMessageObject.messageOwner.attachPath.length() > 0) {
cacheFile = new File(currentMessageObject.messageOwner.attachPath);
if(!cacheFile.exists()) {
cacheFile = null;
}
}
if (cacheFile == null) {
cacheFile = FileLoader.getPathToMessage(currentMessageObject.messageOwner);
}
if (cacheFile.exists()) { if (cacheFile.exists()) {
MediaController.getInstance().removeLoadingFileObserver(this); MediaController.getInstance().removeLoadingFileObserver(this);
boolean playing = MediaController.getInstance().isPlayingAudio(currentMessageObject); boolean playing = MediaController.getInstance().isPlayingAudio(currentMessageObject);
@ -206,6 +214,7 @@ public class ChatAudioCell extends ChatBaseCell implements SeekBar.SeekBarDelega
} }
progressView.setProgress(0); progressView.setProgress(0);
} else { } else {
String fileName = currentMessageObject.getFileName();
MediaController.getInstance().addLoadingFileObserver(fileName, this); MediaController.getInstance().addLoadingFileObserver(fileName, this);
if (!FileLoader.getInstance().isLoadingFile(fileName)) { if (!FileLoader.getInstance().isLoadingFile(fileName)) {
buttonState = 2; buttonState = 2;

View File

@ -13,7 +13,6 @@ import android.content.Context;
import android.content.res.Configuration; import android.content.res.Configuration;
import android.graphics.Canvas; import android.graphics.Canvas;
import android.graphics.Paint; import android.graphics.Paint;
import android.graphics.Path;
import android.graphics.drawable.Drawable; import android.graphics.drawable.Drawable;
import android.text.Layout; import android.text.Layout;
import android.text.StaticLayout; import android.text.StaticLayout;
@ -24,9 +23,9 @@ import android.view.MotionEvent;
import android.view.SoundEffectConstants; import android.view.SoundEffectConstants;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController;
import org.telegram.android.Emoji; import org.telegram.android.Emoji;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.FileLoader; import org.telegram.messenger.FileLoader;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
@ -36,6 +35,7 @@ import org.telegram.messenger.R;
import org.telegram.android.MessageObject; import org.telegram.android.MessageObject;
import org.telegram.android.ImageReceiver; import org.telegram.android.ImageReceiver;
import org.telegram.ui.Components.AvatarDrawable; import org.telegram.ui.Components.AvatarDrawable;
import org.telegram.ui.Components.LinkPath;
import org.telegram.ui.Components.ResourceLoader; import org.telegram.ui.Components.ResourceLoader;
import org.telegram.ui.Components.StaticLayoutEx; import org.telegram.ui.Components.StaticLayoutEx;
@ -46,49 +46,14 @@ public class ChatBaseCell extends BaseCell {
void didPressedCancelSendButton(ChatBaseCell cell); void didPressedCancelSendButton(ChatBaseCell cell);
void didLongPressed(ChatBaseCell cell); void didLongPressed(ChatBaseCell cell);
void didPressReplyMessage(ChatBaseCell cell, int id); void didPressReplyMessage(ChatBaseCell cell, int id);
void didPressUrl(String url); void didPressUrl(MessageObject messageObject, String url);
void needOpenWebView(String url, String title, String originalUrl, int w, int h); void needOpenWebView(String url, String title, String originalUrl, int w, int h);
boolean canPerformActions(); boolean canPerformActions();
} }
protected class MyPath extends Path {
private StaticLayout currentLayout;
private int currentLine;
private float lastTop = -1;
public void setCurrentLayout(StaticLayout layout, int start) {
currentLayout = layout;
currentLine = layout.getLineForOffset(start);
lastTop = -1;
}
@Override
public void addRect(float left, float top, float right, float bottom, Direction dir) {
if (lastTop == -1) {
lastTop = top;
} else if (lastTop != top) {
lastTop = top;
currentLine++;
}
float lineRight = currentLayout.getLineRight(currentLine);
float lineLeft = currentLayout.getLineLeft(currentLine);
if (left >= lineRight) {
return;
}
if (right > lineRight) {
right = lineRight;
}
if (left < lineLeft) {
left = lineLeft;
}
super.addRect(left, top, right, bottom, dir);
}
}
protected ClickableSpan pressedLink; protected ClickableSpan pressedLink;
protected boolean linkPreviewPressed; protected boolean linkPreviewPressed;
protected MyPath urlPath = new MyPath(); protected LinkPath urlPath = new LinkPath();
protected static Paint urlPaint; protected static Paint urlPaint;
public boolean isChat = false; public boolean isChat = false;
@ -294,7 +259,7 @@ public class ChatBaseCell extends BaseCell {
String newNameString = null; String newNameString = null;
if (drawName && isChat && newUser != null && !currentMessageObject.isOut()) { if (drawName && isChat && newUser != null && !currentMessageObject.isOut()) {
newNameString = ContactsController.formatName(newUser.first_name, newUser.last_name); newNameString = UserObject.getUserName(newUser);
} }
if (currentNameString == null && newNameString != null || currentNameString != null && newNameString == null || currentNameString != null && newNameString != null && !currentNameString.equals(newNameString)) { if (currentNameString == null && newNameString != null || currentNameString != null && newNameString == null || currentNameString != null && newNameString != null && !currentNameString.equals(newNameString)) {
@ -304,7 +269,7 @@ public class ChatBaseCell extends BaseCell {
newUser = MessagesController.getInstance().getUser(currentMessageObject.messageOwner.fwd_from_id); newUser = MessagesController.getInstance().getUser(currentMessageObject.messageOwner.fwd_from_id);
newNameString = null; newNameString = null;
if (newUser != null && drawForwardedName && currentMessageObject.messageOwner.fwd_from_id != 0) { if (newUser != null && drawForwardedName && currentMessageObject.messageOwner.fwd_from_id != 0) {
newNameString = ContactsController.formatName(newUser.first_name, newUser.last_name); newNameString = UserObject.getUserName(newUser);
} }
return currentForwardNameString == null && newNameString != null || currentForwardNameString != null && newNameString == null || currentForwardNameString != null && newNameString != null && !currentForwardNameString.equals(newNameString); return currentForwardNameString == null && newNameString != null || currentForwardNameString != null && newNameString == null || currentForwardNameString != null && newNameString != null && !currentForwardNameString.equals(newNameString);
} }
@ -370,7 +335,7 @@ public class ChatBaseCell extends BaseCell {
namesOffset = 0; namesOffset = 0;
if (drawName && isChat && currentUser != null && !currentMessageObject.isOut()) { if (drawName && isChat && currentUser != null && !currentMessageObject.isOut()) {
currentNameString = ContactsController.formatName(currentUser.first_name, currentUser.last_name); currentNameString = UserObject.getUserName(currentUser);
nameWidth = getMaxNameWidth(); nameWidth = getMaxNameWidth();
CharSequence nameStringFinal = TextUtils.ellipsize(currentNameString.replace("\n", " "), namePaint, nameWidth - AndroidUtilities.dp(12), TextUtils.TruncateAt.END); CharSequence nameStringFinal = TextUtils.ellipsize(currentNameString.replace("\n", " "), namePaint, nameWidth - AndroidUtilities.dp(12), TextUtils.TruncateAt.END);
@ -391,7 +356,7 @@ public class ChatBaseCell extends BaseCell {
if (drawForwardedName && messageObject.isForwarded()) { if (drawForwardedName && messageObject.isForwarded()) {
currentForwardUser = MessagesController.getInstance().getUser(messageObject.messageOwner.fwd_from_id); currentForwardUser = MessagesController.getInstance().getUser(messageObject.messageOwner.fwd_from_id);
if (currentForwardUser != null) { if (currentForwardUser != null) {
currentForwardNameString = ContactsController.formatName(currentForwardUser.first_name, currentForwardUser.last_name); currentForwardNameString = UserObject.getUserName(currentForwardUser);
forwardedNameWidth = getMaxNameWidth(); forwardedNameWidth = getMaxNameWidth();
@ -472,7 +437,7 @@ public class ChatBaseCell extends BaseCell {
TLRPC.User user = MessagesController.getInstance().getUser(messageObject.replyMessageObject.messageOwner.from_id); TLRPC.User user = MessagesController.getInstance().getUser(messageObject.replyMessageObject.messageOwner.from_id);
if (user != null) { if (user != null) {
stringFinalName = TextUtils.ellipsize(ContactsController.formatName(user.first_name, user.last_name).replace("\n", " "), replyNamePaint, maxWidth - AndroidUtilities.dp(8), TextUtils.TruncateAt.END); stringFinalName = TextUtils.ellipsize(UserObject.getUserName(user).replace("\n", " "), replyNamePaint, maxWidth - AndroidUtilities.dp(8), TextUtils.TruncateAt.END);
} }
if (messageObject.replyMessageObject.messageText != null && messageObject.replyMessageObject.messageText.length() > 0) { if (messageObject.replyMessageObject.messageText != null && messageObject.replyMessageObject.messageText.length() > 0) {
String mess = messageObject.replyMessageObject.messageText.toString(); String mess = messageObject.replyMessageObject.messageText.toString();

View File

@ -0,0 +1,51 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Cells;
import android.content.Context;
import android.view.Gravity;
import android.widget.FrameLayout;
import android.widget.ProgressBar;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.R;
import org.telegram.ui.Components.LayoutHelper;
public class ChatLoadingCell extends FrameLayout {
private FrameLayout frameLayout;
public ChatLoadingCell(Context context) {
super(context);
frameLayout = new FrameLayout(context);
frameLayout.setBackgroundResource(ApplicationLoader.isCustomTheme() ? R.drawable.system_loader2 : R.drawable.system_loader1);
addView(frameLayout, LayoutHelper.createFrame(36, 36, Gravity.CENTER));
ProgressBar progressBar = new ProgressBar(context);
try {
progressBar.setIndeterminateDrawable(getResources().getDrawable(R.drawable.loading_animation));
} catch (Exception e) {
//don't promt
}
progressBar.setIndeterminate(true);
AndroidUtilities.setProgressBarAnimationDuration(progressBar, 1500);
frameLayout.addView(progressBar, LayoutHelper.createFrame(32, 32, Gravity.CENTER));
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(MeasureSpec.makeMeasureSpec(MeasureSpec.getSize(widthMeasureSpec), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(44), MeasureSpec.EXACTLY));
}
public void setProgressVisible(boolean value) {
frameLayout.setVisibility(value ? VISIBLE : INVISIBLE);
}
}

View File

@ -172,7 +172,7 @@ public class ChatMediaCell extends ChatBaseCell implements MediaController.FileD
boolean result = false; boolean result = false;
int side = AndroidUtilities.dp(48); int side = AndroidUtilities.dp(48);
if (currentMessageObject.caption instanceof Spannable && !isPressed) { if (currentMessageObject.caption instanceof Spannable && delegate.canPerformActions()) {
if (event.getAction() == MotionEvent.ACTION_DOWN || (linkPreviewPressed || pressedLink != null) && event.getAction() == MotionEvent.ACTION_UP) { if (event.getAction() == MotionEvent.ACTION_DOWN || (linkPreviewPressed || pressedLink != null) && event.getAction() == MotionEvent.ACTION_UP) {
if (nameLayout != null && x >= captionX && x <= captionX + backgroundWidth && y >= captionY && y <= captionY + captionHeight) { if (nameLayout != null && x >= captionX && x <= captionX + backgroundWidth && y >= captionY && y <= captionY + captionHeight) {
if (event.getAction() == MotionEvent.ACTION_DOWN) { if (event.getAction() == MotionEvent.ACTION_DOWN) {
@ -213,9 +213,9 @@ public class ChatMediaCell extends ChatBaseCell implements MediaController.FileD
try { try {
if (pressedLink instanceof URLSpanNoUnderline) { if (pressedLink instanceof URLSpanNoUnderline) {
String url = ((URLSpanNoUnderline) pressedLink).getURL(); String url = ((URLSpanNoUnderline) pressedLink).getURL();
if (url.startsWith("@") || url.startsWith("#")) { if (url.startsWith("@") || url.startsWith("#") || url.startsWith("/")) {
if (delegate != null) { if (delegate != null) {
delegate.didPressUrl(url); delegate.didPressUrl(currentMessageObject, url);
} }
} }
} else { } else {

View File

@ -79,7 +79,7 @@ public class ChatMessageCell extends ChatBaseCell {
@Override @Override
public boolean onTouchEvent(MotionEvent event) { public boolean onTouchEvent(MotionEvent event) {
boolean result = false; boolean result = false;
if (currentMessageObject != null && currentMessageObject.textLayoutBlocks != null && !currentMessageObject.textLayoutBlocks.isEmpty() && currentMessageObject.messageText instanceof Spannable && !isPressed) { if (currentMessageObject != null && currentMessageObject.textLayoutBlocks != null && !currentMessageObject.textLayoutBlocks.isEmpty() && currentMessageObject.messageText instanceof Spannable && delegate.canPerformActions()) {
if (event.getAction() == MotionEvent.ACTION_DOWN || (linkPreviewPressed || pressedLink != null) && event.getAction() == MotionEvent.ACTION_UP) { if (event.getAction() == MotionEvent.ACTION_DOWN || (linkPreviewPressed || pressedLink != null) && event.getAction() == MotionEvent.ACTION_UP) {
int x = (int) event.getX(); int x = (int) event.getX();
int y = (int) event.getY(); int y = (int) event.getY();
@ -116,9 +116,9 @@ public class ChatMessageCell extends ChatBaseCell {
try { try {
if (pressedLink instanceof URLSpanNoUnderline) { if (pressedLink instanceof URLSpanNoUnderline) {
String url = ((URLSpanNoUnderline) pressedLink).getURL(); String url = ((URLSpanNoUnderline) pressedLink).getURL();
if (url.startsWith("@") || url.startsWith("#")) { if (url.startsWith("@") || url.startsWith("#") || url.startsWith("/")) {
if (delegate != null) { if (delegate != null) {
delegate.didPressUrl(url); delegate.didPressUrl(currentMessageObject, url);
} }
} }
} else { } else {
@ -618,7 +618,7 @@ public class ChatMessageCell extends ChatBaseCell {
} }
} }
if (webPage.duration != 0) { if (webPage.type != null && webPage.type.equals("video") && webPage.duration != 0) {
if (durationPaint == null) { if (durationPaint == null) {
durationPaint = new TextPaint(Paint.ANTI_ALIAS_FLAG); durationPaint = new TextPaint(Paint.ANTI_ALIAS_FLAG);
durationPaint.setTextSize(AndroidUtilities.dp(12)); durationPaint.setTextSize(AndroidUtilities.dp(12));

View File

@ -0,0 +1,53 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Cells;
import android.content.Context;
import android.util.TypedValue;
import android.view.Gravity;
import android.widget.FrameLayout;
import android.widget.ImageView;
import android.widget.TextView;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.R;
import org.telegram.ui.Components.LayoutHelper;
public class ChatUnreadCell extends FrameLayout {
private TextView textView;
public ChatUnreadCell(Context context) {
super(context);
FrameLayout frameLayout = new FrameLayout(context);
frameLayout.setBackgroundResource(R.drawable.newmsg_divider);
addView(frameLayout, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 27, Gravity.LEFT | Gravity.TOP, 0, 7, 0, 0));
ImageView imageView = new ImageView(context);
imageView.setImageResource(R.drawable.ic_ab_new);
imageView.setPadding(0, AndroidUtilities.dp(2), 0, 0);
frameLayout.addView(imageView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.RIGHT | Gravity.CENTER_VERTICAL, 0, 0, 10, 0));
textView = new TextView(context);
textView.setPadding(0, 0, 0, AndroidUtilities.dp(1));
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 14);
textView.setTextColor(0xff4a7297);
addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER));
}
public void setText(String text) {
textView.setText(text);
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(MeasureSpec.makeMeasureSpec(MeasureSpec.getSize(widthMeasureSpec), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(40), MeasureSpec.EXACTLY));
}
}

View File

@ -23,6 +23,7 @@ import org.telegram.android.AndroidUtilities;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessageObject; import org.telegram.android.MessageObject;
import org.telegram.android.UserObject;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.android.ContactsController; import org.telegram.android.ContactsController;
@ -33,6 +34,8 @@ import org.telegram.messenger.UserConfig;
import org.telegram.android.ImageReceiver; import org.telegram.android.ImageReceiver;
import org.telegram.ui.Components.AvatarDrawable; import org.telegram.ui.Components.AvatarDrawable;
import java.util.ArrayList;
public class DialogCell extends BaseCell { public class DialogCell extends BaseCell {
private static TextPaint namePaint; private static TextPaint namePaint;
@ -65,7 +68,7 @@ public class DialogCell extends BaseCell {
private boolean dialogMuted; private boolean dialogMuted;
private MessageObject message; private MessageObject message;
private int index; private int index;
private boolean isServerOnly; private int dialogsType;
private ImageReceiver avatarImage; private ImageReceiver avatarImage;
private AvatarDrawable avatarDrawable; private AvatarDrawable avatarDrawable;
@ -176,11 +179,11 @@ public class DialogCell extends BaseCell {
avatarDrawable = new AvatarDrawable(); avatarDrawable = new AvatarDrawable();
} }
public void setDialog(TLRPC.TL_dialog dialog, int i, boolean server) { public void setDialog(TLRPC.TL_dialog dialog, int i, int type) {
currentDialogId = dialog.id; currentDialogId = dialog.id;
isDialogCell = true; isDialogCell = true;
index = i; index = i;
isServerOnly = server; dialogsType = type;
update(0); update(0);
} }
@ -349,12 +352,14 @@ public class DialogCell extends BaseCell {
currentMessagePaint = messagePrintingPaint; currentMessagePaint = messagePrintingPaint;
} else { } else {
if (chat != null && chat.id > 0) { if (chat != null && chat.id > 0) {
String name = ""; String name;
if (message.isOut()) { if (message.isOut()) {
name = LocaleController.getString("FromYou", R.string.FromYou); name = LocaleController.getString("FromYou", R.string.FromYou);
} else { } else {
if (fromUser != null) { if (UserObject.isDeleted(fromUser)) {
if (fromUser.first_name.length() > 0) { name = "Deleted";
} else {
if (fromUser.first_name != null && fromUser.first_name.length() > 0) {
name = fromUser.first_name; name = fromUser.first_name;
} else { } else {
name = fromUser.last_name; name = fromUser.last_name;
@ -368,11 +373,11 @@ public class DialogCell extends BaseCell {
mess = mess.substring(0, 150); mess = mess.substring(0, 150);
} }
mess = mess.replace("\n", " "); mess = mess.replace("\n", " ");
messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff808080>%s</c>", name, mess)), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20)); messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff808080>%s</c>", name, mess), AndroidUtilities.FLAG_TAG_COLOR), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20));
} else { } else {
if (message.messageOwner.media != null && !message.isMediaEmpty()) { if (message.messageOwner.media != null && !message.isMediaEmpty()) {
currentMessagePaint = messagePrintingPaint; currentMessagePaint = messagePrintingPaint;
messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff4d83b3>%s</c>", name, message.messageText)), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20)); messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff4d83b3>%s</c>", name, message.messageText), AndroidUtilities.FLAG_TAG_COLOR), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20));
} else { } else {
if (message.messageOwner.message != null) { if (message.messageOwner.message != null) {
String mess = message.messageOwner.message; String mess = message.messageOwner.message;
@ -380,7 +385,7 @@ public class DialogCell extends BaseCell {
mess = mess.substring(0, 150); mess = mess.substring(0, 150);
} }
mess = mess.replace("\n", " "); mess = mess.replace("\n", " ");
messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff808080>%s</c>", name, mess)), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20)); messageString = Emoji.replaceEmoji(AndroidUtilities.replaceTags(String.format("<c#ff4d83b3>%s:</c> <c#ff808080>%s</c>", name, mess), AndroidUtilities.FLAG_TAG_COLOR), messagePaint.getFontMetricsInt(), AndroidUtilities.dp(20));
} }
} }
} }
@ -448,17 +453,17 @@ public class DialogCell extends BaseCell {
} else if (user != null) { } else if (user != null) {
if (user.id / 1000 != 777 && user.id / 1000 != 333 && ContactsController.getInstance().contactsDict.get(user.id) == null) { if (user.id / 1000 != 777 && user.id / 1000 != 333 && ContactsController.getInstance().contactsDict.get(user.id) == null) {
if (ContactsController.getInstance().contactsDict.size() == 0 && (!ContactsController.getInstance().contactsLoaded || ContactsController.getInstance().isLoadingContacts())) { if (ContactsController.getInstance().contactsDict.size() == 0 && (!ContactsController.getInstance().contactsLoaded || ContactsController.getInstance().isLoadingContacts())) {
nameString = ContactsController.formatName(user.first_name, user.last_name); nameString = UserObject.getUserName(user);
} else { } else {
if (user.phone != null && user.phone.length() != 0) { if (user.phone != null && user.phone.length() != 0) {
nameString = PhoneFormat.getInstance().format("+" + user.phone); nameString = PhoneFormat.getInstance().format("+" + user.phone);
} else { } else {
currentNamePaint = nameUnknownPaint; currentNamePaint = nameUnknownPaint;
nameString = ContactsController.formatName(user.first_name, user.last_name); nameString = UserObject.getUserName(user);
} }
} }
} else { } else {
nameString = ContactsController.formatName(user.first_name, user.last_name); nameString = UserObject.getUserName(user);
} }
if (encryptedChat != null) { if (encryptedChat != null) {
currentNamePaint = nameEncryptedPaint; currentNamePaint = nameEncryptedPaint;
@ -641,18 +646,20 @@ public class DialogCell extends BaseCell {
isSelected = value; isSelected = value;
} }
public void checkCurrentDialogIndex() { private ArrayList<TLRPC.TL_dialog> getDialogsArray() {
TLRPC.TL_dialog dialog = null; if (dialogsType == 0) {
if (isServerOnly) { return MessagesController.getInstance().dialogs;
if (index < MessagesController.getInstance().dialogsServerOnly.size()) { } else if (dialogsType == 1) {
dialog = MessagesController.getInstance().dialogsServerOnly.get(index); return MessagesController.getInstance().dialogsServerOnly;
} } else if (dialogsType == 2) {
} else { return MessagesController.getInstance().dialogsGroupsOnly;
if (index < MessagesController.getInstance().dialogs.size()) {
dialog = MessagesController.getInstance().dialogs.get(index);
}
} }
if (dialog != null) { return null;
}
public void checkCurrentDialogIndex() {
if (index < getDialogsArray().size()) {
TLRPC.TL_dialog dialog = getDialogsArray().get(index);
if (currentDialogId != dialog.id || message != null && message.getId() != dialog.top_message || unreadCount != dialog.unread_count) { if (currentDialogId != dialog.id || message != null && message.getId() != dialog.top_message || unreadCount != dialog.unread_count) {
currentDialogId = dialog.id; currentDialogId = dialog.id;
update(0); update(0);

View File

@ -25,7 +25,7 @@ import android.widget.TextView;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController; import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.messenger.R; import org.telegram.messenger.R;
@ -128,7 +128,7 @@ public class DrawerProfileCell extends FrameLayout {
if (user.photo != null) { if (user.photo != null) {
photo = user.photo.photo_small; photo = user.photo.photo_small;
} }
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); nameTextView.setText(UserObject.getUserName(user));
phoneTextView.setText(PhoneFormat.getInstance().format("+" + user.phone)); phoneTextView.setText(PhoneFormat.getInstance().format("+" + user.phone));
AvatarDrawable avatarDrawable = new AvatarDrawable(user); AvatarDrawable avatarDrawable = new AvatarDrawable(user);
avatarDrawable.setColor(0xff5c98cd); avatarDrawable.setColor(0xff5c98cd);

View File

@ -16,7 +16,7 @@ import android.widget.LinearLayout;
import android.widget.TextView; import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController; import org.telegram.android.UserObject;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.ui.Components.AvatarDrawable; import org.telegram.ui.Components.AvatarDrawable;
import org.telegram.ui.Components.BackupImageView; import org.telegram.ui.Components.BackupImageView;
@ -55,7 +55,7 @@ public class MentionCell extends LinearLayout {
usernameTextView.setSingleLine(true); usernameTextView.setSingleLine(true);
usernameTextView.setGravity(Gravity.LEFT); usernameTextView.setGravity(Gravity.LEFT);
usernameTextView.setEllipsize(TextUtils.TruncateAt.END); usernameTextView.setEllipsize(TextUtils.TruncateAt.END);
addView(usernameTextView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 12, 0, 0, 0)); addView(usernameTextView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 12, 0, 8, 0));
} }
@Override @Override
@ -76,7 +76,7 @@ public class MentionCell extends LinearLayout {
} else { } else {
imageView.setImageDrawable(avatarDrawable); imageView.setImageDrawable(avatarDrawable);
} }
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); nameTextView.setText(UserObject.getUserName(user));
usernameTextView.setText("@" + user.username); usernameTextView.setText("@" + user.username);
imageView.setVisibility(VISIBLE); imageView.setVisibility(VISIBLE);
usernameTextView.setVisibility(VISIBLE); usernameTextView.setVisibility(VISIBLE);
@ -88,6 +88,23 @@ public class MentionCell extends LinearLayout {
nameTextView.setText(text); nameTextView.setText(text);
} }
public void setBotCommand(String command, String help, TLRPC.User user) {
if (user != null) {
imageView.setVisibility(VISIBLE);
avatarDrawable.setInfo(user);
if (user.photo != null && user.photo.photo_small != null) {
imageView.setImage(user.photo.photo_small, "50_50", avatarDrawable);
} else {
imageView.setImageDrawable(avatarDrawable);
}
} else {
imageView.setVisibility(INVISIBLE);
}
usernameTextView.setVisibility(VISIBLE);
nameTextView.setText(command);
usernameTextView.setText(help);
}
public void setIsDarkTheme(boolean isDarkTheme) { public void setIsDarkTheme(boolean isDarkTheme) {
if (isDarkTheme) { if (isDarkTheme) {
nameTextView.setTextColor(0xffffffff); nameTextView.setTextColor(0xffffffff);

View File

@ -0,0 +1,35 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Cells;
import android.content.Context;
import android.widget.FrameLayout;
import android.widget.ImageView;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.R;
import org.telegram.ui.Components.LayoutHelper;
public class PhotoAttachCameraCell extends FrameLayout {
public PhotoAttachCameraCell(Context context) {
super(context);
ImageView imageView = new ImageView(context);
imageView.setScaleType(ImageView.ScaleType.CENTER);
imageView.setImageResource(R.drawable.ic_attach_photobig);
imageView.setBackgroundColor(0xff777777);
addView(imageView, LayoutHelper.createFrame(80, 80));
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(86), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(80), MeasureSpec.EXACTLY));
}
}

View File

@ -0,0 +1,85 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Cells;
import android.content.Context;
import android.view.Gravity;
import android.view.View;
import android.widget.FrameLayout;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.MediaController;
import org.telegram.messenger.R;
import org.telegram.ui.Components.BackupImageView;
import org.telegram.ui.Components.CheckBox;
import org.telegram.ui.Components.LayoutHelper;
import org.telegram.ui.PhotoViewer;
public class PhotoAttachPhotoCell extends FrameLayout {
private BackupImageView imageView;
private FrameLayout checkFrame;
private CheckBox checkBox;
private boolean isLast;
private MediaController.PhotoEntry photoEntry;
public PhotoAttachPhotoCell(Context context) {
super(context);
imageView = new BackupImageView(context);
addView(imageView, LayoutHelper.createFrame(80, 80));
checkFrame = new FrameLayout(context);
//addView(checkFrame, LayoutHelper.createFrame(42, 42, Gravity.LEFT | Gravity.TOP, 38, 0, 0, 0));
addView(checkFrame, LayoutHelper.createFrame(80, 80, Gravity.LEFT | Gravity.TOP, 0, 0, 0, 0));
checkBox = new CheckBox(context, R.drawable.checkbig);
checkBox.setSize(30);
checkBox.setCheckOffset(AndroidUtilities.dp(1));
checkBox.setDrawBackground(true);
checkBox.setColor(0xff3ccaef);
addView(checkBox, LayoutHelper.createFrame(30, 30, Gravity.LEFT | Gravity.TOP, 46, 4, 0, 0));
checkBox.setVisibility(VISIBLE);
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(80 + (isLast ? 0 : 6)), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(80), MeasureSpec.EXACTLY));
}
public MediaController.PhotoEntry getPhotoEntry() {
return photoEntry;
}
public void setPhotoEntry(MediaController.PhotoEntry entry, boolean last) {
photoEntry = entry;
isLast = last;
if (photoEntry.thumbPath != null) {
imageView.setImage(photoEntry.thumbPath, null, getResources().getDrawable(R.drawable.nophotos));
} else if (photoEntry.path != null) {
imageView.setOrientation(photoEntry.orientation, true);
imageView.setImage("thumb://" + photoEntry.imageId + ":" + photoEntry.path, null, getResources().getDrawable(R.drawable.nophotos));
} else {
imageView.setImageResource(R.drawable.nophotos);
}
boolean showing = PhotoViewer.getInstance().isShowingImage(photoEntry.path);
imageView.getImageReceiver().setVisible(!showing, true);
checkBox.setVisibility(showing ? View.INVISIBLE : View.VISIBLE);
requestLayout();
}
public void setChecked(boolean value, boolean animated) {
checkBox.setChecked(value, animated);
}
public void setOnCheckClickLisnener(OnClickListener onCheckClickLisnener) {
checkFrame.setOnClickListener(onCheckClickLisnener);
}
}

View File

@ -21,10 +21,10 @@ import android.view.MotionEvent;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController;
import org.telegram.android.ImageReceiver; import org.telegram.android.ImageReceiver;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
@ -172,7 +172,6 @@ public class ProfileSearchCell extends BaseCell {
nameLockTop = AndroidUtilities.dp(16.5f); nameLockTop = AndroidUtilities.dp(16.5f);
} else { } else {
if (chat != null) { if (chat != null) {
if (chat.id < 0) { if (chat.id < 0) {
drawNameBroadcast = true; drawNameBroadcast = true;
nameLockTop = AndroidUtilities.dp(28.5f); nameLockTop = AndroidUtilities.dp(28.5f);
@ -203,7 +202,7 @@ public class ProfileSearchCell extends BaseCell {
if (chat != null) { if (chat != null) {
nameString2 = chat.title; nameString2 = chat.title;
} else if (user != null) { } else if (user != null) {
nameString2 = ContactsController.formatName(user.first_name, user.last_name); nameString2 = UserObject.getUserName(user);
} }
nameString = nameString2.replace("\n", " "); nameString = nameString2.replace("\n", " ");
} }
@ -251,10 +250,14 @@ public class ProfileSearchCell extends BaseCell {
if (subLabel != null) { if (subLabel != null) {
onlineString = subLabel; onlineString = subLabel;
} else { } else {
onlineString = LocaleController.formatUserStatus(user); if ((user.flags & TLRPC.USER_FLAG_BOT) != 0) {
if (user != null && (user.id == UserConfig.getClientUserId() || user.status != null && user.status.expires > ConnectionsManager.getInstance().getCurrentTime())) { onlineString = LocaleController.getString("Bot", R.string.Bot);
currentOnlinePaint = onlinePaint; } else {
onlineString = LocaleController.getString("Online", R.string.Online); onlineString = LocaleController.formatUserStatus(user);
if (user != null && (user.id == UserConfig.getClientUserId() || user.status != null && user.status.expires > ConnectionsManager.getInstance().getCurrentTime())) {
currentOnlinePaint = onlinePaint;
onlineString = LocaleController.getString("Online", R.string.Online);
}
} }
} }

View File

@ -212,7 +212,7 @@ public class SharedDocumentCell extends FrameLayout implements MediaController.F
placeholderImabeView.setImageResource(getThumbForNameOrMime(name, document.messageOwner.media.document.mime_type)); placeholderImabeView.setImageResource(getThumbForNameOrMime(name, document.messageOwner.media.document.mime_type));
nameTextView.setText(name); nameTextView.setText(name);
extTextView.setText((idx = name.lastIndexOf(".")) == -1 ? "" : name.substring(idx + 1).toLowerCase()); extTextView.setText((idx = name.lastIndexOf(".")) == -1 ? "" : name.substring(idx + 1).toLowerCase());
if (document.messageOwner.media.document.thumb instanceof TLRPC.TL_photoSizeEmpty) { if (document.messageOwner.media.document.thumb instanceof TLRPC.TL_photoSizeEmpty || document.messageOwner.media.document.thumb == null) {
thumbImageView.setVisibility(INVISIBLE); thumbImageView.setVisibility(INVISIBLE);
thumbImageView.setImageBitmap(null); thumbImageView.setImageBitmap(null);
} else { } else {

View File

@ -83,7 +83,7 @@ public class SharedPhotoVideoCell extends FrameLayoutFixed {
checkBox = new CheckBox(context, R.drawable.round_check2); checkBox = new CheckBox(context, R.drawable.round_check2);
checkBox.setVisibility(INVISIBLE); checkBox.setVisibility(INVISIBLE);
addView(checkBox, LayoutHelper.createFrame(22, 22, Gravity.RIGHT | Gravity.TOP, 6, 0, 6, 0)); addView(checkBox, LayoutHelper.createFrame(22, 22, Gravity.RIGHT | Gravity.TOP, 0, 6, 6, 0));
} }
@Override @Override

View File

@ -21,7 +21,6 @@ import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.AnimationCompat.ViewProxy; import org.telegram.android.AnimationCompat.ViewProxy;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.query.StickersQuery;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.ui.Components.BackupImageView; import org.telegram.ui.Components.BackupImageView;
@ -36,7 +35,7 @@ public class StickerSetCell extends FrameLayout {
private BackupImageView imageView; private BackupImageView imageView;
private boolean needDivider; private boolean needDivider;
private ImageView optionsButton; private ImageView optionsButton;
private TLRPC.TL_stickerSet stickersSet; private TLRPC.TL_messages_stickerSet stickersSet;
private static Paint paint; private static Paint paint;
@ -56,7 +55,7 @@ public class StickerSetCell extends FrameLayout {
textView.setSingleLine(true); textView.setSingleLine(true);
textView.setEllipsize(TextUtils.TruncateAt.END); textView.setEllipsize(TextUtils.TruncateAt.END);
textView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT); textView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT);
addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT, LocaleController.isRTL ? 40 : 71, 10, LocaleController.isRTL ? 40 : 71, 0)); addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT, LocaleController.isRTL ? 40 : 71, 10, LocaleController.isRTL ? 71 : 40, 0));
valueTextView = new TextView(context); valueTextView = new TextView(context);
valueTextView.setTextColor(0xff8a8a8a); valueTextView.setTextColor(0xff8a8a8a);
@ -65,7 +64,7 @@ public class StickerSetCell extends FrameLayout {
valueTextView.setMaxLines(1); valueTextView.setMaxLines(1);
valueTextView.setSingleLine(true); valueTextView.setSingleLine(true);
valueTextView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT); valueTextView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT);
addView(valueTextView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT, LocaleController.isRTL ? 40 : 71, 35, LocaleController.isRTL ? 40 : 71, 0)); addView(valueTextView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT, LocaleController.isRTL ? 40 : 71, 35, LocaleController.isRTL ? 71 : 40, 0));
imageView = new BackupImageView(context); imageView = new BackupImageView(context);
imageView.setAspectFit(true); imageView.setAspectFit(true);
@ -94,29 +93,22 @@ public class StickerSetCell extends FrameLayout {
super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(64) + (needDivider ? 1 : 0), MeasureSpec.EXACTLY)); super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(64) + (needDivider ? 1 : 0), MeasureSpec.EXACTLY));
} }
public void setStickersSet(TLRPC.TL_stickerSet set, boolean divider) { public void setStickersSet(TLRPC.TL_messages_stickerSet set, boolean divider) {
needDivider = divider; needDivider = divider;
stickersSet = set; stickersSet = set;
if (stickersSet.id == -1) { textView.setText(stickersSet.set.title);
textView.setText(LocaleController.getString("GeniusStickerPackName", R.string.GeniusStickerPackName)); if ((stickersSet.set.flags & 2) != 0) {
if (StickersQuery.getHideMainStickersPack()) { ViewProxy.setAlpha(textView, 0.5f);
ViewProxy.setAlpha(textView, 0.5f); ViewProxy.setAlpha(valueTextView, 0.5f);
ViewProxy.setAlpha(valueTextView, 0.5f); ViewProxy.setAlpha(imageView, 0.5f);
ViewProxy.setAlpha(imageView, 0.5f);
} else {
ViewProxy.setAlpha(textView, 1.0f);
ViewProxy.setAlpha(valueTextView, 1.0f);
ViewProxy.setAlpha(imageView, 1.0f);
}
} else { } else {
textView.setText(stickersSet.title);
ViewProxy.setAlpha(textView, 1.0f); ViewProxy.setAlpha(textView, 1.0f);
ViewProxy.setAlpha(valueTextView, 1.0f); ViewProxy.setAlpha(valueTextView, 1.0f);
ViewProxy.setAlpha(imageView, 1.0f); ViewProxy.setAlpha(imageView, 1.0f);
} }
ArrayList<TLRPC.Document> documents = StickersQuery.getStickersForSet(stickersSet.id); ArrayList<TLRPC.Document> documents = set.documents;
if (documents != null) { if (documents != null && !documents.isEmpty()) {
valueTextView.setText(LocaleController.formatPluralString("Stickers", documents.size())); valueTextView.setText(LocaleController.formatPluralString("Stickers", documents.size()));
TLRPC.Document document = documents.get(0); TLRPC.Document document = documents.get(0);
if (document.thumb != null && document.thumb.location != null) { if (document.thumb != null && document.thumb.location != null) {
@ -131,7 +123,7 @@ public class StickerSetCell extends FrameLayout {
optionsButton.setOnClickListener(listener); optionsButton.setOnClickListener(listener);
} }
public TLRPC.TL_stickerSet getStickersSet() { public TLRPC.TL_messages_stickerSet getStickersSet() {
return stickersSet; return stickersSet;
} }

View File

@ -28,6 +28,8 @@ public class TextCell extends FrameLayout {
private ImageView imageView; private ImageView imageView;
private ImageView valueImageView; private ImageView valueImageView;
private boolean multiline;
public TextCell(Context context) { public TextCell(Context context) {
super(context); super(context);
@ -61,7 +63,7 @@ public class TextCell extends FrameLayout {
@Override @Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(48), MeasureSpec.EXACTLY)); super.onMeasure(widthMeasureSpec, multiline ? MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED) : MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(48), MeasureSpec.EXACTLY));
} }
public void setTextColor(int color) { public void setTextColor(int color) {
@ -83,6 +85,22 @@ public class TextCell extends FrameLayout {
valueImageView.setVisibility(INVISIBLE); valueImageView.setVisibility(INVISIBLE);
} }
public void setMultiline(boolean value) {
if (multiline == value) {
return;
}
multiline = value;
if (value) {
textView.setSingleLine(false);
textView.setPadding(0, AndroidUtilities.dp(6), 0, AndroidUtilities.dp(6));
} else {
textView.setLines(1);
textView.setMaxLines(1);
textView.setSingleLine(true);
}
requestLayout();
}
public void setTextAndValue(String text, String value) { public void setTextAndValue(String text, String value) {
textView.setText(text); textView.setText(text);
valueTextView.setText(value); valueTextView.setText(value);

View File

@ -14,9 +14,9 @@ import android.widget.FrameLayout;
import android.widget.ImageView; import android.widget.ImageView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
@ -140,7 +140,7 @@ public class UserCell extends FrameLayout {
} }
} }
if (!continueUpdate && currentName == null && lastName != null && (mask & MessagesController.UPDATE_MASK_NAME) != 0) { if (!continueUpdate && currentName == null && lastName != null && (mask & MessagesController.UPDATE_MASK_NAME) != 0) {
newName = ContactsController.formatName(currentUser.first_name, currentUser.last_name); newName = UserObject.getUserName(currentUser);
if (!newName.equals(lastName)) { if (!newName.equals(lastName)) {
continueUpdate = true; continueUpdate = true;
} }
@ -161,19 +161,28 @@ public class UserCell extends FrameLayout {
lastName = null; lastName = null;
nameTextView.setText(currentName); nameTextView.setText(currentName);
} else { } else {
lastName = newName == null ? ContactsController.formatName(currentUser.first_name, currentUser.last_name) : newName; lastName = newName == null ? UserObject.getUserName(currentUser) : newName;
nameTextView.setText(lastName); nameTextView.setText(lastName);
} }
if (currrntStatus != null) { if (currrntStatus != null) {
statusTextView.setTextColor(statusColor); statusTextView.setTextColor(statusColor);
statusTextView.setText(currrntStatus); statusTextView.setText(currrntStatus);
} else { } else {
if (currentUser.id == UserConfig.getClientUserId() || currentUser.status != null && currentUser.status.expires > ConnectionsManager.getInstance().getCurrentTime()) { if ((currentUser.flags & TLRPC.USER_FLAG_BOT) != 0) {
statusTextView.setTextColor(statusOnlineColor);
statusTextView.setText(LocaleController.getString("Online", R.string.Online));
} else {
statusTextView.setTextColor(statusColor); statusTextView.setTextColor(statusColor);
statusTextView.setText(LocaleController.formatUserStatus(currentUser)); if ((currentUser.flags & TLRPC.USER_FLAG_BOT_READING_HISTORY) != 0) {
statusTextView.setText(LocaleController.getString("BotStatusRead", R.string.BotStatusRead));
} else {
statusTextView.setText(LocaleController.getString("BotStatusCantRead", R.string.BotStatusCantRead));
}
} else {
if (currentUser.id == UserConfig.getClientUserId() || currentUser.status != null && currentUser.status.expires > ConnectionsManager.getInstance().getCurrentTime() || MessagesController.getInstance().onlinePrivacy.containsKey(currentUser.id)) {
statusTextView.setTextColor(statusOnlineColor);
statusTextView.setText(LocaleController.getString("Online", R.string.Online));
} else {
statusTextView.setTextColor(statusColor);
statusTextView.setText(LocaleController.formatUserStatus(currentUser));
}
} }
} }

View File

@ -497,7 +497,7 @@ public class ChangePhoneActivity extends BaseFragment {
}); });
textView = new TextView(context); textView = new TextView(context);
textView.setText(LocaleController.getString("StartText", R.string.StartText)); textView.setText(LocaleController.getString("ChangePhoneHelp", R.string.ChangePhoneHelp));
textView.setTextColor(0xff757575); textView.setTextColor(0xff757575);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 14); textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 14);
textView.setGravity(Gravity.LEFT); textView.setGravity(Gravity.LEFT);

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,80 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Components;
import android.app.Activity;
import android.app.Dialog;
import android.content.Context;
import android.content.DialogInterface;
import android.content.SharedPreferences;
import org.telegram.android.LocaleController;
import org.telegram.android.MessagesController;
import org.telegram.android.MessagesStorage;
import org.telegram.android.NotificationsController;
import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC;
import org.telegram.ui.ActionBar.BottomSheet;
public class AlertsCreator {
public static Dialog createMuteAlert(Context context, final long dialog_id) {
if (context == null) {
return null;
}
BottomSheet.Builder builder = new BottomSheet.Builder(context);
builder.setTitle(LocaleController.getString("Notifications", R.string.Notifications));
CharSequence[] items = new CharSequence[]{
LocaleController.formatString("MuteFor", R.string.MuteFor, LocaleController.formatPluralString("Hours", 1)),
LocaleController.formatString("MuteFor", R.string.MuteFor, LocaleController.formatPluralString("Hours", 8)),
LocaleController.formatString("MuteFor", R.string.MuteFor, LocaleController.formatPluralString("Days", 2)),
LocaleController.getString("MuteDisable", R.string.MuteDisable)
};
builder.setItems(items, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialogInterface, int i) {
int untilTime = ConnectionsManager.getInstance().getCurrentTime();
if (i == 0) {
untilTime += 60 * 60;
} else if (i == 1) {
untilTime += 60 * 60 * 8;
} else if (i == 2) {
untilTime += 60 * 60 * 48;
} else if (i == 3) {
untilTime = Integer.MAX_VALUE;
}
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE);
SharedPreferences.Editor editor = preferences.edit();
long flags;
if (i == 3) {
editor.putInt("notify2_" + dialog_id, 2);
flags = 1;
} else {
editor.putInt("notify2_" + dialog_id, 3);
editor.putInt("notifyuntil_" + dialog_id, untilTime);
flags = ((long) untilTime << 32) | 1;
}
MessagesStorage.getInstance().setDialogFlags(dialog_id, flags);
editor.commit();
TLRPC.TL_dialog dialog = MessagesController.getInstance().dialogs_dict.get(dialog_id);
if (dialog != null) {
dialog.notify_settings = new TLRPC.TL_peerNotifySettings();
dialog.notify_settings.mute_until = untilTime;
}
NotificationsController.updateServerNotificationsSettings(dialog_id);
}
}
);
return builder.create();
}
}

View File

@ -0,0 +1,126 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Components;
import android.content.Context;
import android.util.TypedValue;
import android.view.Gravity;
import android.view.View;
import android.widget.LinearLayout;
import android.widget.ScrollView;
import android.widget.TextView;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.Emoji;
import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC;
import java.util.ArrayList;
public class BotKeyboardView extends LinearLayout {
private LinearLayout container;
private TLRPC.TL_replyKeyboardMarkup botButtons;
private BotKeyboardViewDelegate delegate;
private int panelHeight;
private boolean isFullSize;
private int buttonHeight;
private ArrayList<TextView> buttonViews = new ArrayList<>();
public interface BotKeyboardViewDelegate {
void didPressedButton(CharSequence text);
}
public BotKeyboardView(Context context) {
super(context);
setOrientation(VERTICAL);
ScrollView scrollView = new ScrollView(context);
addView(scrollView);
container = new LinearLayout(context);
container.setOrientation(VERTICAL);
scrollView.addView(container);
setBackgroundColor(0xfff5f6f7);
}
public void setDelegate(BotKeyboardViewDelegate botKeyboardViewDelegate) {
delegate = botKeyboardViewDelegate;
}
public void setPanelHeight(int height) {
panelHeight = height;
if (isFullSize && botButtons != null) {
buttonHeight = !isFullSize ? 42 : (int) Math.max(42, (panelHeight - AndroidUtilities.dp(30) - (botButtons.rows.size() - 1) * AndroidUtilities.dp(10)) / botButtons.rows.size() / AndroidUtilities.density);
int count = container.getChildCount();
int newHeight = AndroidUtilities.dp(buttonHeight);
for (int a = 0; a < count; a++) {
View v = container.getChildAt(a);
LinearLayout.LayoutParams layoutParams = (LinearLayout.LayoutParams) v.getLayoutParams();
if (layoutParams.height != newHeight) {
layoutParams.height = newHeight;
v.setLayoutParams(layoutParams);
}
}
}
}
public void invalidateViews() {
for (int a = 0; a < buttonViews.size(); a++) {
buttonViews.get(a).invalidate();
}
}
public boolean isFullSize() {
return isFullSize;
}
public void setButtons(TLRPC.TL_replyKeyboardMarkup buttons) {
botButtons = buttons;
container.removeAllViews();
buttonViews.clear();
if (buttons != null) {
isFullSize = (buttons.flags & 1) == 0;
buttonHeight = !isFullSize ? 42 : (int) Math.max(42, (panelHeight - AndroidUtilities.dp(30) - (botButtons.rows.size() - 1) * AndroidUtilities.dp(10)) / botButtons.rows.size() / AndroidUtilities.density);
for (int a = 0; a < buttons.rows.size(); a++) {
TLRPC.TL_keyboardButtonRow row = buttons.rows.get(a);
LinearLayout layout = new LinearLayout(getContext());
layout.setOrientation(LinearLayout.HORIZONTAL);
container.addView(layout, LayoutHelper.createLinear(LayoutHelper.MATCH_PARENT, buttonHeight, 15, a == 0 ? 15 : 10, 15, a == buttons.rows.size() - 1 ? 15 : 0));
float weight = 1.0f / row.buttons.size();
for (int b = 0; b < row.buttons.size(); b++) {
TLRPC.TL_keyboardButton button = row.buttons.get(b);
TextView textView = new TextView(getContext());
textView.setTextColor(0xff36474f);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
textView.setGravity(Gravity.CENTER);
textView.setBackgroundResource(R.drawable.bot_keyboard_states);
textView.setPadding(AndroidUtilities.dp(4), 0, AndroidUtilities.dp(4), 0);
textView.setText(Emoji.replaceEmoji(button.text, textView.getPaint().getFontMetricsInt(), AndroidUtilities.dp(16)));
layout.addView(textView, LayoutHelper.createLinear(0, LayoutHelper.MATCH_PARENT, weight, 0, 0, b != row.buttons.size() - 1 ? 10 : 0, 0));
textView.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
delegate.didPressedButton(((TextView) v).getText());
}
});
buttonViews.add(textView);
}
}
}
}
public int getKeyboardHeight() {
return isFullSize ? panelHeight : botButtons.rows.size() * AndroidUtilities.dp(buttonHeight) + AndroidUtilities.dp(30) + (botButtons.rows.size() - 1) * AndroidUtilities.dp(10);
}
}

View File

@ -22,8 +22,6 @@ import android.view.KeyEvent;
import android.view.MotionEvent; import android.view.MotionEvent;
import android.view.View; import android.view.View;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.view.ViewTreeObserver;
import android.view.WindowManager;
import android.view.animation.AccelerateDecelerateInterpolator; import android.view.animation.AccelerateDecelerateInterpolator;
import android.view.inputmethod.EditorInfo; import android.view.inputmethod.EditorInfo;
import android.widget.EditText; import android.widget.EditText;
@ -53,7 +51,9 @@ import org.telegram.android.AnimationCompat.ObjectAnimatorProxy;
import org.telegram.android.AnimationCompat.ViewProxy; import org.telegram.android.AnimationCompat.ViewProxy;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
public class ChatActivityEnterView extends FrameLayoutFixed implements NotificationCenter.NotificationCenterDelegate, SizeNotifierRelativeLayout.SizeNotifierRelativeLayoutDelegate { import java.util.Locale;
public class ChatActivityEnterView extends FrameLayoutFixed implements NotificationCenter.NotificationCenterDelegate, SizeNotifierFrameLayout.SizeNotifierFrameLayoutDelegate {
public interface ChatActivityEnterViewDelegate { public interface ChatActivityEnterViewDelegate {
void onMessageSend(String message); void onMessageSend(String message);
@ -66,23 +66,29 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
private EditText messageEditText; private EditText messageEditText;
private ImageView sendButton; private ImageView sendButton;
private PopupWindow emojiPopup;
private ImageView emojiButton; private ImageView emojiButton;
private EmojiView emojiView; private EmojiView emojiView;
private TextView recordTimeText; private TextView recordTimeText;
private ImageView audioSendButton; private ImageView audioSendButton;
private FrameLayout recordPanel; private FrameLayout recordPanel;
private LinearLayout slideText; private LinearLayout slideText;
private View sizeNotifierLayout; private SizeNotifierFrameLayout sizeNotifierLayout;
private FrameLayout attachButton; private LinearLayout attachButton;
private ImageView botButton;
private LinearLayout textFieldContainer; private LinearLayout textFieldContainer;
private View topView; private View topView;
private PopupWindow botKeyboardPopup;
private BotKeyboardView botKeyboardView;
private int framesDroped; private int currentPopupContentType = -1;
private int keyboardTransitionState; private boolean isPaused;
private boolean showKeyboardOnEmojiButton; private boolean showKeyboardOnResume;
private ViewTreeObserver.OnPreDrawListener onPreDrawListener;
private MessageObject botButtonsMessageObject;
private TLRPC.TL_replyKeyboardMarkup botReplyMarkup;
private int botCount;
private boolean hasBotCommands;
private PowerManager.WakeLock mWakeLock; private PowerManager.WakeLock mWakeLock;
private AnimatorSetProxy runningAnimation; private AnimatorSetProxy runningAnimation;
@ -94,6 +100,7 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
private int keyboardHeight; private int keyboardHeight;
private int keyboardHeightLand; private int keyboardHeightLand;
private boolean keyboardVisible; private boolean keyboardVisible;
private int emojiPadding;
private boolean sendByEnter; private boolean sendByEnter;
private long lastTypingTimeSend; private long lastTypingTimeSend;
private String lastTimeString; private String lastTimeString;
@ -103,11 +110,15 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
private boolean forceShowSendButton; private boolean forceShowSendButton;
private boolean allowStickers; private boolean allowStickers;
private int lastSizeChangeValue1;
private boolean lastSizeChangeValue2;
private Activity parentActivity; private Activity parentActivity;
private BaseFragment parentFragment; private BaseFragment parentFragment;
private long dialog_id; private long dialog_id;
private boolean ignoreTextChange; private boolean ignoreTextChange;
private MessageObject replyingMessageObject; private MessageObject replyingMessageObject;
private MessageObject botMessageObject;
private TLRPC.WebPage messageWebPage; private TLRPC.WebPage messageWebPage;
private boolean messageWebPageSearch = true; private boolean messageWebPageSearch = true;
private ChatActivityEnterViewDelegate delegate; private ChatActivityEnterViewDelegate delegate;
@ -118,7 +129,20 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
private boolean allowShowTopView; private boolean allowShowTopView;
private AnimatorSetProxy currentTopViewAnimation; private AnimatorSetProxy currentTopViewAnimation;
public ChatActivityEnterView(Activity context, View parent, BaseFragment fragment, boolean isChat) { private boolean waitingForKeyboardOpen;
private Runnable openKeyboardRunnable = new Runnable() {
@Override
public void run() {
if (messageEditText != null && waitingForKeyboardOpen && !keyboardVisible && !AndroidUtilities.usingHardwareInput) {
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
AndroidUtilities.cancelRunOnUIThread(openKeyboardRunnable);
AndroidUtilities.runOnUIThread(openKeyboardRunnable, 100);
}
}
};
public ChatActivityEnterView(Activity context, SizeNotifierFrameLayout parent, BaseFragment fragment, boolean isChat) {
super(context); super(context);
setBackgroundResource(R.drawable.compose_panel); setBackgroundResource(R.drawable.compose_panel);
setFocusable(true); setFocusable(true);
@ -131,85 +155,34 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
NotificationCenter.getInstance().addObserver(this, NotificationCenter.closeChats); NotificationCenter.getInstance().addObserver(this, NotificationCenter.closeChats);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.audioDidSent); NotificationCenter.getInstance().addObserver(this, NotificationCenter.audioDidSent);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded); NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.hideEmojiKeyboard);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.audioRouteChanged); NotificationCenter.getInstance().addObserver(this, NotificationCenter.audioRouteChanged);
parentActivity = context; parentActivity = context;
parentFragment = fragment; parentFragment = fragment;
sizeNotifierLayout = parent; sizeNotifierLayout = parent;
if (sizeNotifierLayout instanceof SizeNotifierRelativeLayout) { sizeNotifierLayout.setDelegate(this);
((SizeNotifierRelativeLayout) sizeNotifierLayout).setDelegate(this);
} else if (sizeNotifierLayout instanceof SizeNotifierFrameLayout) {
((SizeNotifierFrameLayout) sizeNotifierLayout).setDelegate(this);
}
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE);
sendByEnter = preferences.getBoolean("send_by_enter", false); sendByEnter = preferences.getBoolean("send_by_enter", false);
parent.getViewTreeObserver().addOnPreDrawListener(onPreDrawListener = new ViewTreeObserver.OnPreDrawListener() {
@Override
public boolean onPreDraw() {
if (keyboardTransitionState == 1) {
if (keyboardVisible || framesDroped >= 60) {
showEmojiPopup(false, false);
keyboardTransitionState = 0;
} else {
openKeyboard();
}
framesDroped++;
return false;
} else if (keyboardTransitionState == 2) {
if (!keyboardVisible || framesDroped >= 60) {
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
sizeNotifierLayout.setPadding(0, 0, 0, currentHeight);
keyboardTransitionState = 0;
}
framesDroped++;
return false;
}
return true;
}
});
textFieldContainer = new LinearLayout(context); textFieldContainer = new LinearLayout(context);
textFieldContainer.setBackgroundColor(0xffffffff); textFieldContainer.setBackgroundColor(0xffffffff);
textFieldContainer.setOrientation(LinearLayout.HORIZONTAL); textFieldContainer.setOrientation(LinearLayout.HORIZONTAL);
addView(textFieldContainer); addView(textFieldContainer, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.LEFT | Gravity.TOP, 0, 2, 0, 0));
LayoutParams layoutParams2 = (LayoutParams) textFieldContainer.getLayoutParams();
layoutParams2.gravity = Gravity.LEFT | Gravity.TOP;
layoutParams2.width = LayoutHelper.MATCH_PARENT;
layoutParams2.height = LayoutHelper.WRAP_CONTENT;
layoutParams2.topMargin = AndroidUtilities.dp(2);
textFieldContainer.setLayoutParams(layoutParams2);
FrameLayoutFixed frameLayout = new FrameLayoutFixed(context); FrameLayoutFixed frameLayout = new FrameLayoutFixed(context);
textFieldContainer.addView(frameLayout); textFieldContainer.addView(frameLayout, LayoutHelper.createLinear(0, LayoutHelper.WRAP_CONTENT, 1.0f));
LinearLayout.LayoutParams layoutParams = (LinearLayout.LayoutParams) frameLayout.getLayoutParams();
layoutParams.width = 0;
layoutParams.height = LayoutHelper.WRAP_CONTENT;
layoutParams.weight = 1;
frameLayout.setLayoutParams(layoutParams);
emojiButton = new ImageView(context); emojiButton = new ImageView(context);
emojiButton.setImageResource(R.drawable.ic_msg_panel_smiles); emojiButton.setImageResource(R.drawable.ic_msg_panel_smiles);
emojiButton.setScaleType(ImageView.ScaleType.CENTER_INSIDE); emojiButton.setScaleType(ImageView.ScaleType.CENTER_INSIDE);
emojiButton.setPadding(AndroidUtilities.dp(4), AndroidUtilities.dp(1), 0, 0); emojiButton.setPadding(AndroidUtilities.dp(4), AndroidUtilities.dp(1), 0, 0);
frameLayout.addView(emojiButton); frameLayout.addView(emojiButton, LayoutHelper.createFrame(48, 48, Gravity.BOTTOM));
FrameLayout.LayoutParams layoutParams1 = (FrameLayout.LayoutParams) emojiButton.getLayoutParams();
layoutParams1.width = AndroidUtilities.dp(48);
layoutParams1.height = AndroidUtilities.dp(48);
layoutParams1.gravity = Gravity.BOTTOM;
emojiButton.setLayoutParams(layoutParams1);
emojiButton.setOnClickListener(new View.OnClickListener() { emojiButton.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
if (showKeyboardOnEmojiButton) { if (!isPopupShowing() || currentPopupContentType != 0) {
setKeyboardTransitionState(1); showPopup(1, 0);
int selection = messageEditText.getSelectionStart();
MotionEvent event = MotionEvent.obtain(0, 0, MotionEvent.ACTION_UP, 0, 0, 0);
messageEditText.onTouchEvent(event);
event.recycle();
messageEditText.setSelection(selection);
} else { } else {
showEmojiPopup(emojiPopup == null || !emojiPopup.isShowing(), true); openKeyboardInternal();
} }
} }
}); });
@ -227,20 +200,13 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
AndroidUtilities.clearCursorDrawable(messageEditText); AndroidUtilities.clearCursorDrawable(messageEditText);
messageEditText.setTextColor(0xff000000); messageEditText.setTextColor(0xff000000);
messageEditText.setHintTextColor(0xffb2b2b2); messageEditText.setHintTextColor(0xffb2b2b2);
frameLayout.addView(messageEditText); frameLayout.addView(messageEditText, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.BOTTOM, 52, 0, isChat ? 50 : 2, 0));
layoutParams1 = (FrameLayout.LayoutParams) messageEditText.getLayoutParams();
layoutParams1.width = LayoutHelper.MATCH_PARENT;
layoutParams1.height = LayoutHelper.WRAP_CONTENT;
layoutParams1.gravity = Gravity.BOTTOM;
layoutParams1.leftMargin = AndroidUtilities.dp(52);
layoutParams1.rightMargin = AndroidUtilities.dp(isChat ? 50 : 2);
messageEditText.setLayoutParams(layoutParams1);
messageEditText.setOnKeyListener(new View.OnKeyListener() { messageEditText.setOnKeyListener(new View.OnKeyListener() {
@Override @Override
public boolean onKey(View view, int i, KeyEvent keyEvent) { public boolean onKey(View view, int i, KeyEvent keyEvent) {
if (i == 4 && !keyboardVisible && emojiPopup != null && emojiPopup.isShowing()) { if (i == KeyEvent.KEYCODE_BACK && !keyboardVisible && isPopupShowing()) {
if (keyEvent.getAction() == 1) { if (keyEvent.getAction() == 1) {
showEmojiPopup(false, true); showPopup(0, 0);
} }
return true; return true;
} else if (i == KeyEvent.KEYCODE_ENTER && sendByEnter && keyEvent.getAction() == KeyEvent.ACTION_DOWN) { } else if (i == KeyEvent.KEYCODE_ENTER && sendByEnter && keyEvent.getAction() == KeyEvent.ACTION_DOWN) {
@ -253,8 +219,8 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
messageEditText.setOnClickListener(new View.OnClickListener() { messageEditText.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
if (emojiPopup != null && emojiPopup.isShowing()) { if (isPopupShowing()) {
setKeyboardTransitionState(1); showPopup(AndroidUtilities.usingHardwareInput ? 0 : 2, 0);
} }
} }
}); });
@ -327,99 +293,71 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
}); });
if (isChat) { if (isChat) {
attachButton = new FrameLayout(context); attachButton = new LinearLayout(context);
attachButton.setOrientation(LinearLayout.HORIZONTAL);
attachButton.setEnabled(false); attachButton.setEnabled(false);
ViewProxy.setPivotX(attachButton, AndroidUtilities.dp(48)); ViewProxy.setPivotX(attachButton, AndroidUtilities.dp(48));
frameLayout.addView(attachButton); frameLayout.addView(attachButton, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, 48, Gravity.BOTTOM | Gravity.RIGHT));
layoutParams1 = (FrameLayout.LayoutParams) attachButton.getLayoutParams();
layoutParams1.width = AndroidUtilities.dp(48); botButton = new ImageView(context);
layoutParams1.height = AndroidUtilities.dp(48); botButton.setImageResource(R.drawable.bot_keyboard2);
layoutParams1.gravity = Gravity.BOTTOM | Gravity.RIGHT; botButton.setScaleType(ImageView.ScaleType.CENTER);
attachButton.setLayoutParams(layoutParams1); botButton.setVisibility(GONE);
attachButton.addView(botButton, LayoutHelper.createLinear(48, 48));
botButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
if (botReplyMarkup != null) {
if (!isPopupShowing() || currentPopupContentType != 1) {
showPopup(1, 1);
} else {
openKeyboardInternal();
}
} else if (hasBotCommands) {
setFieldText("/");
openKeyboard();
}
}
});
} }
recordPanel = new FrameLayoutFixed(context); recordPanel = new FrameLayoutFixed(context);
recordPanel.setVisibility(GONE); recordPanel.setVisibility(GONE);
recordPanel.setBackgroundColor(0xffffffff); recordPanel.setBackgroundColor(0xffffffff);
frameLayout.addView(recordPanel); frameLayout.addView(recordPanel, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 48, Gravity.BOTTOM));
layoutParams1 = (FrameLayout.LayoutParams) recordPanel.getLayoutParams();
layoutParams1.width = LayoutHelper.MATCH_PARENT;
layoutParams1.height = AndroidUtilities.dp(48);
layoutParams1.gravity = Gravity.BOTTOM;
recordPanel.setLayoutParams(layoutParams1);
slideText = new LinearLayout(context); slideText = new LinearLayout(context);
slideText.setOrientation(LinearLayout.HORIZONTAL); slideText.setOrientation(LinearLayout.HORIZONTAL);
recordPanel.addView(slideText); recordPanel.addView(slideText, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER, 30, 0, 0, 0));
layoutParams1 = (FrameLayout.LayoutParams) slideText.getLayoutParams();
layoutParams1.width = LayoutHelper.WRAP_CONTENT;
layoutParams1.height = LayoutHelper.WRAP_CONTENT;
layoutParams1.gravity = Gravity.CENTER;
layoutParams1.leftMargin = AndroidUtilities.dp(30);
slideText.setLayoutParams(layoutParams1);
ImageView imageView = new ImageView(context); ImageView imageView = new ImageView(context);
imageView.setImageResource(R.drawable.slidearrow); imageView.setImageResource(R.drawable.slidearrow);
slideText.addView(imageView); slideText.addView(imageView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 0, 1, 0, 0));
layoutParams = (LinearLayout.LayoutParams) imageView.getLayoutParams();
layoutParams.width = LayoutHelper.WRAP_CONTENT;
layoutParams.height = LayoutHelper.WRAP_CONTENT;
layoutParams.gravity = Gravity.CENTER_VERTICAL;
layoutParams.topMargin = AndroidUtilities.dp(1);
imageView.setLayoutParams(layoutParams);
TextView textView = new TextView(context); TextView textView = new TextView(context);
textView.setText(LocaleController.getString("SlideToCancel", R.string.SlideToCancel)); textView.setText(LocaleController.getString("SlideToCancel", R.string.SlideToCancel));
textView.setTextColor(0xff999999); textView.setTextColor(0xff999999);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 12); textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 12);
slideText.addView(textView); slideText.addView(textView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 6, 0, 0, 0));
layoutParams = (LinearLayout.LayoutParams) textView.getLayoutParams();
layoutParams.width = LayoutHelper.WRAP_CONTENT;
layoutParams.height = LayoutHelper.WRAP_CONTENT;
layoutParams.gravity = Gravity.CENTER_VERTICAL;
layoutParams.leftMargin = AndroidUtilities.dp(6);
textView.setLayoutParams(layoutParams);
LinearLayout linearLayout = new LinearLayout(context); LinearLayout linearLayout = new LinearLayout(context);
linearLayout.setOrientation(LinearLayout.HORIZONTAL); linearLayout.setOrientation(LinearLayout.HORIZONTAL);
linearLayout.setPadding(AndroidUtilities.dp(13), 0, 0, 0); linearLayout.setPadding(AndroidUtilities.dp(13), 0, 0, 0);
linearLayout.setBackgroundColor(0xffffffff); linearLayout.setBackgroundColor(0xffffffff);
recordPanel.addView(linearLayout); recordPanel.addView(linearLayout, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL));
layoutParams1 = (FrameLayout.LayoutParams) linearLayout.getLayoutParams();
layoutParams1.width = LayoutHelper.WRAP_CONTENT;
layoutParams1.height = LayoutHelper.WRAP_CONTENT;
layoutParams1.gravity = Gravity.CENTER_VERTICAL;
linearLayout.setLayoutParams(layoutParams1);
imageView = new ImageView(context); imageView = new ImageView(context);
imageView.setImageResource(R.drawable.rec); imageView.setImageResource(R.drawable.rec);
linearLayout.addView(imageView); linearLayout.addView(imageView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 0, 1, 0, 0));
layoutParams = (LinearLayout.LayoutParams) imageView.getLayoutParams();
layoutParams.width = LayoutHelper.WRAP_CONTENT;
layoutParams.height = LayoutHelper.WRAP_CONTENT;
layoutParams.gravity = Gravity.CENTER_VERTICAL;
layoutParams.topMargin = AndroidUtilities.dp(1);
imageView.setLayoutParams(layoutParams);
recordTimeText = new TextView(context); recordTimeText = new TextView(context);
recordTimeText.setText("00:00"); recordTimeText.setText("00:00");
recordTimeText.setTextColor(0xff4d4c4b); recordTimeText.setTextColor(0xff4d4c4b);
recordTimeText.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16); recordTimeText.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
linearLayout.addView(recordTimeText); linearLayout.addView(recordTimeText, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER_VERTICAL, 6, 0, 0, 0));
layoutParams = (LinearLayout.LayoutParams) recordTimeText.getLayoutParams();
layoutParams.width = LayoutHelper.WRAP_CONTENT;
layoutParams.height = LayoutHelper.WRAP_CONTENT;
layoutParams.gravity = Gravity.CENTER_VERTICAL;
layoutParams.leftMargin = AndroidUtilities.dp(6);
recordTimeText.setLayoutParams(layoutParams);
FrameLayout frameLayout1 = new FrameLayout(context); FrameLayout frameLayout1 = new FrameLayout(context);
textFieldContainer.addView(frameLayout1); textFieldContainer.addView(frameLayout1, LayoutHelper.createLinear(48, 48, Gravity.BOTTOM));
layoutParams = (LinearLayout.LayoutParams) frameLayout1.getLayoutParams();
layoutParams.width = AndroidUtilities.dp(48);
layoutParams.height = AndroidUtilities.dp(48);
layoutParams.gravity = Gravity.BOTTOM;
frameLayout1.setLayoutParams(layoutParams);
audioSendButton = new ImageView(context); audioSendButton = new ImageView(context);
audioSendButton.setScaleType(ImageView.ScaleType.CENTER_INSIDE); audioSendButton.setScaleType(ImageView.ScaleType.CENTER_INSIDE);
@ -427,11 +365,7 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
audioSendButton.setBackgroundColor(0xffffffff); audioSendButton.setBackgroundColor(0xffffffff);
audioSendButton.setSoundEffectsEnabled(false); audioSendButton.setSoundEffectsEnabled(false);
audioSendButton.setPadding(0, 0, AndroidUtilities.dp(4), 0); audioSendButton.setPadding(0, 0, AndroidUtilities.dp(4), 0);
frameLayout1.addView(audioSendButton); frameLayout1.addView(audioSendButton, LayoutHelper.createFrame(48, 48));
layoutParams1 = (FrameLayout.LayoutParams) audioSendButton.getLayoutParams();
layoutParams1.width = AndroidUtilities.dp(48);
layoutParams1.height = AndroidUtilities.dp(48);
audioSendButton.setLayoutParams(layoutParams1);
audioSendButton.setOnTouchListener(new View.OnTouchListener() { audioSendButton.setOnTouchListener(new View.OnTouchListener() {
@Override @Override
public boolean onTouch(View view, MotionEvent motionEvent) { public boolean onTouch(View view, MotionEvent motionEvent) {
@ -516,11 +450,7 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
ViewProxy.setScaleY(sendButton, 0.1f); ViewProxy.setScaleY(sendButton, 0.1f);
ViewProxy.setAlpha(sendButton, 0.0f); ViewProxy.setAlpha(sendButton, 0.0f);
sendButton.clearAnimation(); sendButton.clearAnimation();
frameLayout1.addView(sendButton); frameLayout1.addView(sendButton, LayoutHelper.createFrame(48, 48));
layoutParams1 = (FrameLayout.LayoutParams) sendButton.getLayoutParams();
layoutParams1.width = AndroidUtilities.dp(48);
layoutParams1.height = AndroidUtilities.dp(48);
sendButton.setLayoutParams(layoutParams1);
sendButton.setOnClickListener(new View.OnClickListener() { sendButton.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
@ -528,43 +458,21 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
} }
}); });
SharedPreferences sharedPreferences = ApplicationLoader.applicationContext.getSharedPreferences("emoji", Context.MODE_PRIVATE);
keyboardHeight = sharedPreferences.getInt("kbd_height", AndroidUtilities.dp(200));
keyboardHeightLand = sharedPreferences.getInt("kbd_height_land3", AndroidUtilities.dp(200));
checkSendButton(false); checkSendButton(false);
} }
private void setKeyboardTransitionState(int state) {
if (AndroidUtilities.usingHardwareInput) {
if (state == 1) {
showEmojiPopup(false, false);
keyboardTransitionState = 0;
} else if (state == 2) {
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
sizeNotifierLayout.setPadding(0, 0, 0, currentHeight);
keyboardTransitionState = 0;
}
} else {
framesDroped = 0;
keyboardTransitionState = state;
if (state == 1) {
sizeNotifierLayout.setPadding(0, 0, 0, 0);
}
}
}
public void addTopView(View view, int height) { public void addTopView(View view, int height) {
if (view == null) { if (view == null) {
return; return;
} }
addView(view, 0);
topView = view; topView = view;
topView.setVisibility(GONE); topView.setVisibility(GONE);
addView(topView, 0, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, height, Gravity.TOP | Gravity.LEFT, 0, 2, 0, 0));
needShowTopView = false; needShowTopView = false;
LayoutParams layoutParams = (LayoutParams) topView.getLayoutParams();
layoutParams.width = LayoutHelper.MATCH_PARENT;
layoutParams.height = height;
layoutParams.topMargin = AndroidUtilities.dp(2);
layoutParams.gravity = Gravity.TOP | Gravity.LEFT;
topView.setLayoutParams(layoutParams);
} }
public void setTopViewAnimation(float progress) { public void setTopViewAnimation(float progress) {
@ -600,7 +508,7 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
currentTopViewAnimation = null; currentTopViewAnimation = null;
} }
if (animated) { if (animated) {
if (keyboardVisible || emojiPopup != null && emojiPopup.isShowing()) { if (keyboardVisible || isPopupShowing()) {
currentTopViewAnimation = new AnimatorSetProxy(); currentTopViewAnimation = new AnimatorSetProxy();
currentTopViewAnimation.playTogether( currentTopViewAnimation.playTogether(
ObjectAnimatorProxy.ofFloat(ChatActivityEnterView.this, "topViewAnimation", 1.0f) ObjectAnimatorProxy.ofFloat(ChatActivityEnterView.this, "topViewAnimation", 1.0f)
@ -673,7 +581,11 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
return topView != null && topView.getVisibility() == VISIBLE; return topView != null && topView.getVisibility() == VISIBLE;
} }
private void onWindowSizeChanged(int size) { private void onWindowSizeChanged() {
int size = sizeNotifierLayout.getHeight();
if (!keyboardVisible) {
size -= emojiPadding;
}
if (delegate != null) { if (delegate != null) {
delegate.onWindowSizeChanged(size); delegate.onWindowSizeChanged(size);
} }
@ -706,9 +618,7 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.closeChats); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.closeChats);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.audioDidSent); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.audioDidSent);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.emojiDidLoaded); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.emojiDidLoaded);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.hideEmojiKeyboard);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.audioRouteChanged); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.audioRouteChanged);
sizeNotifierLayout.getViewTreeObserver().removeOnPreDrawListener(onPreDrawListener);
if (mWakeLock != null) { if (mWakeLock != null) {
try { try {
mWakeLock.release(); mWakeLock.release();
@ -718,10 +628,24 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
} }
} }
if (sizeNotifierLayout != null) { if (sizeNotifierLayout != null) {
if (sizeNotifierLayout instanceof SizeNotifierRelativeLayout) { sizeNotifierLayout.setDelegate(null);
((SizeNotifierRelativeLayout) sizeNotifierLayout).setDelegate(null); }
} else if (sizeNotifierLayout instanceof SizeNotifierFrameLayout) { }
((SizeNotifierFrameLayout) sizeNotifierLayout).setDelegate(null);
public void onPause() {
isPaused = true;
}
public void onResume() {
isPaused = false;
if (showKeyboardOnResume) {
showKeyboardOnResume = false;
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
if (!AndroidUtilities.usingHardwareInput && !keyboardVisible) {
waitingForKeyboardOpen = true;
AndroidUtilities.cancelRunOnUIThread(openKeyboardRunnable);
AndroidUtilities.runOnUIThread(openKeyboardRunnable, 100);
} }
} }
} }
@ -731,7 +655,19 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
} }
public void setReplyingMessageObject(MessageObject messageObject) { public void setReplyingMessageObject(MessageObject messageObject) {
replyingMessageObject = messageObject; if (messageObject != null) {
if (botMessageObject == null && botButtonsMessageObject != replyingMessageObject) {
botMessageObject = botButtonsMessageObject;
}
replyingMessageObject = messageObject;
setButtons(replyingMessageObject, true);
} else if (messageObject == null && replyingMessageObject == botButtonsMessageObject) {
replyingMessageObject = null;
setButtons(botMessageObject, false);
botMessageObject = null;
} else {
replyingMessageObject = messageObject;
}
} }
public void setWebPage(TLRPC.WebPage webPage, boolean searchWebPages) { public void setWebPage(TLRPC.WebPage webPage, boolean searchWebPages) {
@ -1051,122 +987,28 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
} }
} }
private void showEmojiPopup(boolean show, boolean post) {
if (show) {
if (emojiPopup == null) {
if (parentActivity == null) {
return;
}
emojiView = new EmojiView(allowStickers, parentActivity);
emojiView.setListener(new EmojiView.Listener() {
public boolean onBackspace() {
if (messageEditText.length() == 0) {
return false;
}
messageEditText.dispatchKeyEvent(new KeyEvent(KeyEvent.ACTION_DOWN, KeyEvent.KEYCODE_DEL));
return true;
}
public void onEmojiSelected(String symbol) {
int i = messageEditText.getSelectionEnd();
if (i < 0) {
i = 0;
}
try {//TODO check
CharSequence localCharSequence = Emoji.replaceEmoji(symbol/* + "\uFE0F"*/, messageEditText.getPaint().getFontMetricsInt(), AndroidUtilities.dp(20));
messageEditText.setText(messageEditText.getText().insert(i, localCharSequence));
int j = i + localCharSequence.length();
messageEditText.setSelection(j, j);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
public void onStickerSelected(TLRPC.Document sticker) {
SendMessagesHelper.getInstance().sendSticker(sticker, dialog_id, replyingMessageObject);
if (delegate != null) {
delegate.onMessageSend(null);
}
}
});
emojiPopup = new PopupWindow(emojiView);
}
if (keyboardHeight <= 0) {
keyboardHeight = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height", AndroidUtilities.dp(200));
}
if (keyboardHeightLand <= 0) {
keyboardHeightLand = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height_land3", AndroidUtilities.dp(200));
}
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
FileLog.e("tmessages", "show emoji with height = " + currentHeight);
emojiPopup.setHeight(View.MeasureSpec.makeMeasureSpec(currentHeight, View.MeasureSpec.EXACTLY));
if (sizeNotifierLayout != null) {
emojiPopup.setWidth(View.MeasureSpec.makeMeasureSpec(AndroidUtilities.displaySize.x, View.MeasureSpec.EXACTLY));
}
emojiPopup.showAtLocation(parentActivity.getWindow().getDecorView(), Gravity.BOTTOM | Gravity.LEFT, 0, 0);
if (!keyboardVisible) {
if (sizeNotifierLayout != null) {
sizeNotifierLayout.setPadding(0, 0, 0, currentHeight);
emojiButton.setImageResource(R.drawable.ic_msg_panel_hide);
showKeyboardOnEmojiButton = false;
onWindowSizeChanged(sizeNotifierLayout.getHeight() - sizeNotifierLayout.getPaddingBottom());
}
return;
} else {
setKeyboardTransitionState(2);
AndroidUtilities.hideKeyboard(messageEditText);
}
emojiButton.setImageResource(R.drawable.ic_msg_panel_kb);
showKeyboardOnEmojiButton = true;
return;
}
if (emojiButton != null) {
showKeyboardOnEmojiButton = false;
emojiButton.setImageResource(R.drawable.ic_msg_panel_smiles);
}
if (emojiPopup != null) {
try {
emojiPopup.dismiss();
} catch (Exception e) {
//don't promt
}
}
if (keyboardTransitionState == 0) {
if (sizeNotifierLayout != null) {
if (post) {
sizeNotifierLayout.post(new Runnable() {
public void run() {
if (sizeNotifierLayout != null) {
sizeNotifierLayout.setPadding(0, 0, 0, 0);
onWindowSizeChanged(sizeNotifierLayout.getHeight());
}
}
});
} else {
sizeNotifierLayout.setPadding(0, 0, 0, 0);
onWindowSizeChanged(sizeNotifierLayout.getHeight());
}
}
}
}
public void hideEmojiPopup() {
if (emojiPopup != null && emojiPopup.isShowing()) {
showEmojiPopup(false, true);
}
}
public void openKeyboard() {
AndroidUtilities.showKeyboard(messageEditText);
}
public void setDelegate(ChatActivityEnterViewDelegate delegate) { public void setDelegate(ChatActivityEnterViewDelegate delegate) {
this.delegate = delegate; this.delegate = delegate;
} }
public void setCommand(MessageObject messageObject, String command) {
if (command == null) {
return;
}
TLRPC.User user = messageObject != null && (int) dialog_id < 0 ? MessagesController.getInstance().getUser(messageObject.messageOwner.from_id) : null;
if (botCount != 1 && user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0 && !command.contains("@")) {
SendMessagesHelper.getInstance().sendMessage(String.format(Locale.US, "%s@%s", command, user.username), dialog_id, null, null, false);
} else {
SendMessagesHelper.getInstance().sendMessage(command, dialog_id, null, null, false);
}
/*String text = messageEditText.getText().toString();
text = command + " " + text.replaceFirst("^/[a-zA-Z@\\d_]{1,255}(\\s|$)", "");
ignoreTextChange = true;
messageEditText.setText(text);
messageEditText.setSelection(messageEditText.getText().length());
ignoreTextChange = false;*/
}
public void setFieldText(String text) { public void setFieldText(String text) {
if (messageEditText == null) { if (messageEditText == null) {
return; return;
@ -1235,10 +1077,6 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
return null; return null;
} }
public boolean isEmojiPopupShowing() {
return emojiPopup != null && emojiPopup.isShowing();
}
public void addToAttachLayout(View view) { public void addToAttachLayout(View view) {
if (attachButton == null) { if (attachButton == null) {
return; return;
@ -1247,12 +1085,241 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
ViewGroup viewGroup = (ViewGroup) view.getParent(); ViewGroup viewGroup = (ViewGroup) view.getParent();
viewGroup.removeView(view); viewGroup.removeView(view);
} }
attachButton.addView(view); attachButton.addView(view, LayoutHelper.createLinear(48, 48));
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) view.getLayoutParams(); }
layoutParams.gravity = Gravity.CENTER;
layoutParams.width = AndroidUtilities.dp(48); private void updateBotButton() {
layoutParams.height = LayoutHelper.MATCH_PARENT; if (botButton == null) {
view.setLayoutParams(layoutParams); return;
}
if (hasBotCommands || botReplyMarkup != null) {
if (botButton.getVisibility() != VISIBLE) {
botButton.setVisibility(VISIBLE);
}
if (botReplyMarkup != null) {
if (isPopupShowing() && currentPopupContentType == 1) {
botButton.setImageResource(R.drawable.ic_msg_panel_kb);
} else {
botButton.setImageResource(R.drawable.bot_keyboard2);
}
} else {
botButton.setImageResource(R.drawable.bot_keyboard);
}
} else {
botButton.setVisibility(GONE);
}
ViewProxy.setPivotX(attachButton, AndroidUtilities.dp(botButton.getVisibility() == GONE ? 48 : 96));
attachButton.clearAnimation();
}
public void setBotsCount(int count, boolean hasCommands) {
botCount = count;
if (hasBotCommands != hasCommands) {
hasBotCommands = hasCommands;
updateBotButton();
}
}
public void setButtons(MessageObject messageObject) {
setButtons(messageObject, true);
}
public void setButtons(MessageObject messageObject, boolean openKeyboard) {
if (replyingMessageObject != null && replyingMessageObject == botButtonsMessageObject && replyingMessageObject != messageObject) {
botMessageObject = messageObject;
return;
}
if (botButton == null || botButtonsMessageObject != null && botButtonsMessageObject == messageObject || botButtonsMessageObject == null && messageObject == null) {
return;
}
if (botKeyboardView == null) {
botKeyboardView = new BotKeyboardView(parentActivity);
botKeyboardView.setVisibility(GONE);
botKeyboardView.setDelegate(new BotKeyboardView.BotKeyboardViewDelegate() {
@Override
public void didPressedButton(CharSequence text) {
MessageObject object = replyingMessageObject != null ? replyingMessageObject : ((int) dialog_id < 0 ? botButtonsMessageObject : null);
SendMessagesHelper.getInstance().sendMessage(text.toString(), dialog_id, object, null, false);
if (replyingMessageObject != null) {
openKeyboardInternal();
setButtons(botMessageObject, false);
} else if ((botButtonsMessageObject.messageOwner.reply_markup.flags & 2) != 0) {
openKeyboardInternal();
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE);
preferences.edit().putInt("answered_" + dialog_id, botButtonsMessageObject.getId()).commit();
}
if (delegate != null) {
delegate.onMessageSend(null);
}
}
});
sizeNotifierLayout.addView(botKeyboardView);
}
botButtonsMessageObject = messageObject;
botReplyMarkup = messageObject != null && messageObject.messageOwner.reply_markup instanceof TLRPC.TL_replyKeyboardMarkup ? (TLRPC.TL_replyKeyboardMarkup) messageObject.messageOwner.reply_markup : null;
botKeyboardView.setPanelHeight(AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight);
botKeyboardView.setButtons(botReplyMarkup != null ? botReplyMarkup : null);
if (botReplyMarkup != null) {
if (botButtonsMessageObject != replyingMessageObject && (botReplyMarkup.flags & 2) != 0) {
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("mainconfig", Activity.MODE_PRIVATE);
if (preferences.getInt("answered_" + dialog_id, 0) == messageObject.getId()) {
return;
}
}
if (messageEditText.length() == 0 && !isPopupShowing()) {
showPopup(1, 1);
}
} else {
if (isPopupShowing() && currentPopupContentType == 1) {
if (openKeyboard) {
openKeyboardInternal();
} else {
showPopup(0, 1);
}
}
}
updateBotButton();
}
public boolean isPopupView(View view) {
return view == botKeyboardView || view == emojiView;
}
private void showPopup(int show, int contentType) {
if (show == 1) {
if (contentType == 0 && emojiView == null) {
if (parentActivity == null) {
return;
}
emojiView = new EmojiView(allowStickers, parentActivity);
emojiView.setVisibility(GONE);
emojiView.setListener(new EmojiView.Listener() {
public boolean onBackspace() {
if (messageEditText.length() == 0) {
return false;
}
messageEditText.dispatchKeyEvent(new KeyEvent(KeyEvent.ACTION_DOWN, KeyEvent.KEYCODE_DEL));
return true;
}
public void onEmojiSelected(String symbol) {
int i = messageEditText.getSelectionEnd();
if (i < 0) {
i = 0;
}
try {
CharSequence localCharSequence = Emoji.replaceEmoji(symbol/* + "\uFE0F"*/, messageEditText.getPaint().getFontMetricsInt(), AndroidUtilities.dp(20));
messageEditText.setText(messageEditText.getText().insert(i, localCharSequence));
int j = i + localCharSequence.length();
messageEditText.setSelection(j, j);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
public void onStickerSelected(TLRPC.Document sticker) {
SendMessagesHelper.getInstance().sendSticker(sticker, dialog_id, replyingMessageObject);
if (delegate != null) {
delegate.onMessageSend(null);
}
}
});
sizeNotifierLayout.addView(emojiView);
}
View currentView = null;
if (contentType == 0) {
emojiView.setVisibility(VISIBLE);
if (botKeyboardView != null && botKeyboardView.getVisibility() != GONE) {
botKeyboardView.setVisibility(GONE);
}
currentView = emojiView;
} else if (contentType == 1) {
if (emojiView != null && emojiView.getVisibility() != GONE) {
emojiView.setVisibility(GONE);
}
botKeyboardView.setVisibility(VISIBLE);
currentView = botKeyboardView;
}
currentPopupContentType = contentType;
if (keyboardHeight <= 0) {
keyboardHeight = ApplicationLoader.applicationContext.getSharedPreferences("emoji", Context.MODE_PRIVATE).getInt("kbd_height", AndroidUtilities.dp(200));
}
if (keyboardHeightLand <= 0) {
keyboardHeightLand = ApplicationLoader.applicationContext.getSharedPreferences("emoji", Context.MODE_PRIVATE).getInt("kbd_height_land3", AndroidUtilities.dp(200));
}
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
if (contentType == 1) {
currentHeight = Math.min(botKeyboardView.getKeyboardHeight(), currentHeight);
}
if (botKeyboardView != null) {
botKeyboardView.setPanelHeight(currentHeight);
}
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) currentView.getLayoutParams();
layoutParams.width = AndroidUtilities.displaySize.x;
layoutParams.height = currentHeight;
currentView.setLayoutParams(layoutParams);
AndroidUtilities.hideKeyboard(messageEditText);
if (sizeNotifierLayout != null) {
emojiPadding = currentHeight;
sizeNotifierLayout.requestLayout();
if (contentType == 0) {
emojiButton.setImageResource(R.drawable.ic_msg_panel_kb);
} else if (contentType == 1) {
emojiButton.setImageResource(R.drawable.ic_msg_panel_smiles);
}
updateBotButton();
onWindowSizeChanged();
}
} else {
if (emojiButton != null) {
emojiButton.setImageResource(R.drawable.ic_msg_panel_smiles);
}
if (emojiView != null) {
emojiView.setVisibility(GONE);
}
if (botKeyboardView != null) {
botKeyboardView.setVisibility(GONE);
}
if (sizeNotifierLayout != null) {
if (show == 0) {
emojiPadding = 0;
}
sizeNotifierLayout.requestLayout();
onWindowSizeChanged();
}
updateBotButton();
}
}
public void hidePopup() {
if (isPopupShowing()) {
showPopup(0, 0);
}
}
private void openKeyboardInternal() {
showPopup(AndroidUtilities.usingHardwareInput || isPaused ? 0 : 2, 0);
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
if (isPaused) {
showKeyboardOnResume = true;
} else if (!AndroidUtilities.usingHardwareInput && !keyboardVisible) {
waitingForKeyboardOpen = true;
AndroidUtilities.cancelRunOnUIThread(openKeyboardRunnable);
AndroidUtilities.runOnUIThread(openKeyboardRunnable, 100);
}
}
public void openKeyboard() {
AndroidUtilities.showKeyboard(messageEditText);
}
public boolean isPopupShowing() {
return emojiView != null && emojiView.getVisibility() == VISIBLE || botKeyboardView != null && botKeyboardView.getVisibility() == VISIBLE;
} }
@Override @Override
@ -1267,37 +1334,60 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
} }
} }
if (emojiPopup != null && emojiPopup.isShowing()) { if (isPopupShowing()) {
int newHeight = isWidthGreater ? keyboardHeightLand : keyboardHeight; int newHeight = isWidthGreater ? keyboardHeightLand : keyboardHeight;
final WindowManager.LayoutParams layoutParams = (WindowManager.LayoutParams) emojiPopup.getContentView().getLayoutParams(); if (currentPopupContentType == 1 && !botKeyboardView.isFullSize()) {
FileLog.e("tmessages", "update emoji height to = " + newHeight); newHeight = Math.min(botKeyboardView.getKeyboardHeight(), newHeight);
}
View currentView = null;
if (currentPopupContentType == 0) {
currentView = emojiView;
} else if (currentPopupContentType == 1) {
currentView = botKeyboardView;
}
if (botKeyboardView != null) {
botKeyboardView.setPanelHeight(newHeight);
}
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) currentView.getLayoutParams();
if (layoutParams.width != AndroidUtilities.displaySize.x || layoutParams.height != newHeight) { if (layoutParams.width != AndroidUtilities.displaySize.x || layoutParams.height != newHeight) {
layoutParams.width = AndroidUtilities.displaySize.x; layoutParams.width = AndroidUtilities.displaySize.x;
layoutParams.height = newHeight; layoutParams.height = newHeight;
WindowManager wm = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Activity.WINDOW_SERVICE); currentView.setLayoutParams(layoutParams);
if (wm != null) { if (sizeNotifierLayout != null) {
wm.updateViewLayout(emojiPopup.getContentView(), layoutParams); emojiPadding = layoutParams.height;
if (!keyboardVisible) { sizeNotifierLayout.requestLayout();
if (sizeNotifierLayout != null) { onWindowSizeChanged();
sizeNotifierLayout.setPadding(0, 0, 0, layoutParams.height);
sizeNotifierLayout.requestLayout();
onWindowSizeChanged(sizeNotifierLayout.getHeight() - sizeNotifierLayout.getPaddingBottom());
}
}
} }
} }
} }
if (lastSizeChangeValue1 == height && lastSizeChangeValue2 == isWidthGreater) {
onWindowSizeChanged();
return;
}
lastSizeChangeValue1 = height;
lastSizeChangeValue2 = isWidthGreater;
boolean oldValue = keyboardVisible; boolean oldValue = keyboardVisible;
keyboardVisible = height > 0; keyboardVisible = height > 0;
if (keyboardVisible && (sizeNotifierLayout.getPaddingBottom() > 0 || keyboardTransitionState == 1)) { if (keyboardVisible && isPopupShowing()) {
setKeyboardTransitionState(1); showPopup(0, currentPopupContentType);
} else if (keyboardTransitionState != 2 && !keyboardVisible && keyboardVisible != oldValue && emojiPopup != null && emojiPopup.isShowing()) {
showEmojiPopup(false, true);
} }
if (keyboardTransitionState == 0) { if (emojiPadding != 0 && !keyboardVisible && keyboardVisible != oldValue && !isPopupShowing()) {
onWindowSizeChanged(sizeNotifierLayout.getHeight() - sizeNotifierLayout.getPaddingBottom()); emojiPadding = 0;
sizeNotifierLayout.requestLayout();
} }
if (keyboardVisible && waitingForKeyboardOpen) {
waitingForKeyboardOpen = false;
AndroidUtilities.cancelRunOnUIThread(openKeyboardRunnable);
}
onWindowSizeChanged();
}
public int getEmojiPadding() {
return emojiPadding;
} }
public int getEmojiHeight() { public int getEmojiHeight() {
@ -1314,6 +1404,9 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
if (emojiView != null) { if (emojiView != null) {
emojiView.invalidateViews(); emojiView.invalidateViews();
} }
if (botKeyboardView != null) {
botKeyboardView.invalidateViews();
}
} else if (id == NotificationCenter.recordProgressChanged) { } else if (id == NotificationCenter.recordProgressChanged) {
Long time = (Long) args[0] / 1000; Long time = (Long) args[0] / 1000;
String str = String.format("%02d:%02d", time / 60, time % 60); String str = String.format("%02d:%02d", time / 60, time % 60);
@ -1344,8 +1437,6 @@ public class ChatActivityEnterView extends FrameLayoutFixed implements Notificat
if (delegate != null) { if (delegate != null) {
delegate.onMessageSend(null); delegate.onMessageSend(null);
} }
} else if (id == NotificationCenter.hideEmojiKeyboard) {
hideEmojiPopup();
} else if (id == NotificationCenter.audioRouteChanged) { } else if (id == NotificationCenter.audioRouteChanged) {
if (parentActivity != null) { if (parentActivity != null) {
boolean frontSpeaker = (Boolean) args[0]; boolean frontSpeaker = (Boolean) args[0];

View File

@ -0,0 +1,227 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Components;
import android.animation.AnimatorSet;
import android.animation.ObjectAnimator;
import android.content.Context;
import android.os.Build;
import android.text.TextUtils;
import android.util.TypedValue;
import android.view.Gravity;
import android.view.MotionEvent;
import android.view.View;
import android.view.ViewGroup;
import android.widget.FrameLayout;
import android.widget.ImageView;
import android.widget.TextView;
import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController;
import org.telegram.android.MediaController;
import org.telegram.android.support.widget.LinearLayoutManager;
import org.telegram.messenger.R;
import org.telegram.ui.Adapters.PhotoAttachAdapter;
import org.telegram.ui.ChatActivity;
import java.util.HashMap;
public class ChatAttachView extends FrameLayout {
public interface ChatAttachViewDelegate {
void didPressedButton(int button);
}
private LinearLayoutManager attachPhotoLayoutManager;
private PhotoAttachAdapter photoAttachAdapter;
private ChatActivity baseFragment;
private AttachButton sendPhotosButton;
private AttachButton buttons[] = new AttachButton[8];
private ChatAttachViewDelegate delegate;
private static class AttachButton extends FrameLayout {
private TextView textView;
private ImageView imageView;
public AttachButton(Context context) {
super(context);
imageView = new ImageView(context);
imageView.setScaleType(ImageView.ScaleType.CENTER);
//imageView.setColorFilter(0x33000000);
addView(imageView, LayoutHelper.createFrame(64, 64, Gravity.CENTER_HORIZONTAL | Gravity.TOP));
textView = new TextView(context);
textView.setLines(1);
textView.setSingleLine(true);
textView.setGravity(Gravity.CENTER_HORIZONTAL);
textView.setEllipsize(TextUtils.TruncateAt.END);
textView.setTextColor(0xff757575);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 12);
addView(textView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.LEFT | Gravity.TOP, 0, 64, 0, 0));
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(85), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(90), MeasureSpec.EXACTLY));
}
public void setTextAndIcon(CharSequence text, int icon) {
textView.setText(text);
imageView.setBackgroundResource(icon);
}
}
public ChatAttachView(Context context) {
super(context);
RecyclerListView attachPhotoRecyclerView = new RecyclerListView(context);
if (photoAttachAdapter != null) {
photoAttachAdapter.onDestroy();
}
attachPhotoRecyclerView.setVerticalScrollBarEnabled(true);
attachPhotoRecyclerView.setAdapter(photoAttachAdapter = new PhotoAttachAdapter(context));
attachPhotoRecyclerView.setClipToPadding(false);
attachPhotoRecyclerView.setPadding(AndroidUtilities.dp(8), 0, AndroidUtilities.dp(8), 0);
attachPhotoRecyclerView.setItemAnimator(null);
attachPhotoRecyclerView.setLayoutAnimation(null);
if (Build.VERSION.SDK_INT >= 9) {
attachPhotoRecyclerView.setOverScrollMode(RecyclerListView.OVER_SCROLL_NEVER);
}
addView(attachPhotoRecyclerView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 80));
attachPhotoLayoutManager = new LinearLayoutManager(context) {
@Override
public boolean supportsPredictiveItemAnimations() {
return false;
}
};
attachPhotoLayoutManager.setOrientation(LinearLayoutManager.HORIZONTAL);
attachPhotoRecyclerView.setLayoutManager(attachPhotoLayoutManager);
photoAttachAdapter.setDelegate(new PhotoAttachAdapter.PhotoAttachAdapterDelegate() {
@Override
public void selectedPhotosChanged() {
updatePhotosButton();
}
});
View lineView = new View(getContext());
lineView.setBackgroundColor(0xffd2d2d2);
FrameLayout.LayoutParams layoutParams = new FrameLayout.LayoutParams(ViewGroup.LayoutParams.MATCH_PARENT, 1, Gravity.TOP | Gravity.LEFT);
layoutParams.topMargin = AndroidUtilities.dp(88);
addView(lineView, layoutParams);
CharSequence[] items = new CharSequence[]{
LocaleController.getString("ChatCamera", R.string.ChatCamera),
LocaleController.getString("ChatGallery", R.string.ChatGallery),
LocaleController.getString("ChatVideo", R.string.ChatVideo),
LocaleController.getString("AttachAudio", R.string.AttachAudio),
LocaleController.getString("ChatDocument", R.string.ChatDocument),
LocaleController.getString("AttachContact", R.string.AttachContact),
LocaleController.getString("ChatLocation", R.string.ChatLocation),
""
};
int itemIcons[] = new int[] {
R.drawable.ic_attach_photo_big,
R.drawable.ic_attach_gallery_big,
R.drawable.ic_attach_video_big,
R.drawable.ic_attach_music_big,
R.drawable.ic_attach_file_big,
R.drawable.ic_attach_contact_big,
R.drawable.ic_attach_location_big,
R.drawable.ic_attach_hide_big,
};
for (int a = 0; a < 8; a++) {
AttachButton attachButton = new AttachButton(context);
attachButton.setTextAndIcon(items[a], itemIcons[a]);
int y = 97 + 95 * (a / 4);
int x = 10 + (a % 4) * 85;
addView(attachButton, LayoutHelper.createFrame(85, 90, Gravity.LEFT | Gravity.TOP, x, y, 0, 0));
attachButton.setTag(a);
buttons[a] = attachButton;
if (a == 7) {
sendPhotosButton = attachButton;
sendPhotosButton.imageView.setPadding(0, AndroidUtilities.dp(4), 0, 0);
}
attachButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
if (delegate != null) {
delegate.didPressedButton((Integer) v.getTag());
}
}
});
}
setOnTouchListener(new OnTouchListener() {
@Override
public boolean onTouch(View v, MotionEvent event) {
return true;
}
});
}
@Override
protected void onMeasure(int widthSpec, int heightSpec) {
super.onMeasure(widthSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(278), MeasureSpec.EXACTLY));
}
public void updatePhotosButton() {
int count = photoAttachAdapter.getSelectedPhotos().size();
if (count == 0) {
sendPhotosButton.imageView.setPadding(0, AndroidUtilities.dp(4), 0, 0);
sendPhotosButton.imageView.setBackgroundResource(R.drawable.ic_attach_hide_big);
sendPhotosButton.imageView.setImageResource(R.drawable.ic_attach_hide_big_icon);
sendPhotosButton.textView.setText("");
} else {
sendPhotosButton.imageView.setPadding(AndroidUtilities.dp(2), 0, 0, 0);
sendPhotosButton.imageView.setBackgroundResource(R.drawable.ic_attach_send_big);
sendPhotosButton.imageView.setImageResource(R.drawable.ic_attach_send_big_icon);
sendPhotosButton.textView.setText(LocaleController.formatString("SendItems", R.string.SendItems, String.format("(%d)", count)));
}
}
public void setDelegate(ChatAttachViewDelegate chatAttachViewDelegate) {
delegate = chatAttachViewDelegate;
}
public void startAnimations(boolean up) {
for (int a = 0; a < 4; a++) {
//buttons[a].setTranslationY(AndroidUtilities.dp(up ? 20 : -20));
//buttons[a + 4].setTranslationY(AndroidUtilities.dp(up ? 20 : -20));
buttons[a].setScaleX(0.8f);
buttons[a].setScaleY(0.8f);
buttons[a + 4].setScaleX(0.8f);
buttons[a + 4].setScaleY(0.8f);
AnimatorSet animatorSet = new AnimatorSet();
animatorSet.playTogether(ObjectAnimator.ofFloat(buttons[a], "scaleX", 1),
ObjectAnimator.ofFloat(buttons[a + 4], "scaleX", 1),
ObjectAnimator.ofFloat(buttons[a], "scaleY", 1),
ObjectAnimator.ofFloat(buttons[a + 4], "scaleY", 1));
animatorSet.setDuration(150);
animatorSet.setStartDelay((3 - a) * 40);
animatorSet.start();
}
}
public void init(ChatActivity parentFragment) {
attachPhotoLayoutManager.scrollToPositionWithOffset(0, 1000000);
photoAttachAdapter.clearSelectedPhotos();
baseFragment = parentFragment;
updatePhotosButton();
}
public HashMap<Integer, MediaController.PhotoEntry> getSelectedPhotos() {
return photoAttachAdapter.getSelectedPhotos();
}
public void onDestroy() {
photoAttachAdapter.onDestroy();
baseFragment = null;
}
}

View File

@ -12,14 +12,17 @@ import android.app.Activity;
import android.content.Context; import android.content.Context;
import android.content.SharedPreferences; import android.content.SharedPreferences;
import android.database.DataSetObserver; import android.database.DataSetObserver;
import android.os.Build;
import android.support.v4.view.PagerAdapter; import android.support.v4.view.PagerAdapter;
import android.support.v4.view.ViewPager; import android.support.v4.view.ViewPager;
import android.text.TextUtils; import android.text.TextUtils;
import android.util.TypedValue;
import android.view.Gravity; import android.view.Gravity;
import android.view.HapticFeedbackConstants; import android.view.HapticFeedbackConstants;
import android.view.MotionEvent; import android.view.MotionEvent;
import android.view.View; import android.view.View;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.widget.AbsListView;
import android.widget.BaseAdapter; import android.widget.BaseAdapter;
import android.widget.FrameLayout; import android.widget.FrameLayout;
import android.widget.GridView; import android.widget.GridView;
@ -28,6 +31,7 @@ import android.widget.LinearLayout;
import android.widget.TextView; import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.AnimationCompat.ViewProxy;
import org.telegram.android.Emoji; import org.telegram.android.Emoji;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.NotificationCenter; import org.telegram.android.NotificationCenter;
@ -35,6 +39,7 @@ import org.telegram.android.query.StickersQuery;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.ui.Cells.EmptyCell;
import org.telegram.ui.Cells.StickerEmojiCell; import org.telegram.ui.Cells.StickerEmojiCell;
import java.util.ArrayList; import java.util.ArrayList;
@ -42,7 +47,7 @@ import java.util.Collections;
import java.util.Comparator; import java.util.Comparator;
import java.util.HashMap; import java.util.HashMap;
public class EmojiView extends LinearLayout implements NotificationCenter.NotificationCenterDelegate { public class EmojiView extends FrameLayout implements NotificationCenter.NotificationCenterDelegate {
public interface Listener { public interface Listener {
boolean onBackspace(); boolean onBackspace();
@ -51,9 +56,9 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
} }
private ArrayList<EmojiGridAdapter> adapters = new ArrayList<>(); private ArrayList<EmojiGridAdapter> adapters = new ArrayList<>();
private StickersGridAdapter stickersGridAdapter;
private HashMap<Long, Integer> stickersUseHistory = new HashMap<>(); private HashMap<Long, Integer> stickersUseHistory = new HashMap<>();
private ArrayList<TLRPC.Document> stickers; private ArrayList<TLRPC.Document> recentStickers = new ArrayList<>();
private ArrayList<TLRPC.TL_messages_stickerSet> stickerSets = new ArrayList<>();
private int[] icons = { private int[] icons = {
R.drawable.ic_emoji_recent, R.drawable.ic_emoji_recent,
@ -67,9 +72,15 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
private Listener listener; private Listener listener;
private ViewPager pager; private ViewPager pager;
private FrameLayout recentsWrap; private FrameLayout recentsWrap;
private FrameLayout emojiWrap; private FrameLayout stickersWrap;
private ArrayList<GridView> views = new ArrayList<>(); private ArrayList<GridView> views = new ArrayList<>();
private ImageView backspaceButton; private ImageView backspaceButton;
private StickersGridAdapter stickersGridAdapter;
private LinearLayout pagerSlidingTabStripContainer;
private ScrollSlidingTabStrip scrollSlidingTabStrip;
private int oldWidth;
private int lastNotifyWidth;
private boolean backspacePressed; private boolean backspacePressed;
private boolean backspaceOnce; private boolean backspaceOnce;
@ -80,7 +91,6 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
showStickers = needStickers; showStickers = needStickers;
setOrientation(LinearLayout.VERTICAL);
for (int i = 0; i < Emoji.data.length; i++) { for (int i = 0; i < Emoji.data.length; i++) {
GridView gridView = new GridView(context); GridView gridView = new GridView(context);
if (AndroidUtilities.isTablet()) { if (AndroidUtilities.isTablet()) {
@ -99,7 +109,6 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
if (showStickers) { if (showStickers) {
StickersQuery.checkStickers(); StickersQuery.checkStickers();
stickers = StickersQuery.getStickers();
GridView gridView = new GridView(context); GridView gridView = new GridView(context);
gridView.setColumnWidth(AndroidUtilities.dp(72)); gridView.setColumnWidth(AndroidUtilities.dp(72));
gridView.setNumColumns(-1); gridView.setNumColumns(-1);
@ -109,29 +118,180 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
stickersGridAdapter = new StickersGridAdapter(context); stickersGridAdapter = new StickersGridAdapter(context);
gridView.setAdapter(stickersGridAdapter); gridView.setAdapter(stickersGridAdapter);
AndroidUtilities.setListViewEdgeEffectColor(gridView, 0xfff5f6f7); AndroidUtilities.setListViewEdgeEffectColor(gridView, 0xfff5f6f7);
stickersWrap = new FrameLayout(context);
stickersWrap.addView(gridView);
TextView textView = new TextView(context);
textView.setText(LocaleController.getString("NoStickers", R.string.NoStickers));
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 18);
textView.setTextColor(0xff888888);
stickersWrap.addView(textView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER));
gridView.setEmptyView(textView);
scrollSlidingTabStrip = new ScrollSlidingTabStrip(context) {
boolean startedScroll;
float lastX;
float lastTranslateX;
boolean first = true;
@Override
public boolean onInterceptTouchEvent(MotionEvent ev) {
if (getParent() != null) {
getParent().requestDisallowInterceptTouchEvent(true);
}
return super.onInterceptTouchEvent(ev);
}
@Override
public boolean onTouchEvent(MotionEvent ev) {
if (Build.VERSION.SDK_INT >= 11) {
if (first) {
first = false;
lastX = ev.getX();
}
float newTranslationX = ViewProxy.getTranslationX(scrollSlidingTabStrip);
if (scrollSlidingTabStrip.getScrollX() == 0 && newTranslationX == 0) {
if (!startedScroll && lastX - ev.getX() < 0) {
if (pager.beginFakeDrag()) {
startedScroll = true;
lastTranslateX = ViewProxy.getTranslationX(scrollSlidingTabStrip);
}
} else if (startedScroll && lastX - ev.getX() > 0) {
if (pager.isFakeDragging()) {
pager.endFakeDrag();
startedScroll = false;
}
}
}
if (startedScroll) {
int dx = (int) (ev.getX() - lastX + newTranslationX - lastTranslateX);
try {
pager.fakeDragBy(dx);
lastTranslateX = newTranslationX;
} catch (Exception e) {
try {
pager.endFakeDrag();
} catch (Exception e2) {
//don't promt
}
startedScroll = false;
FileLog.e("tmessages", e);
}
}
lastX = ev.getX();
if (ev.getAction() == MotionEvent.ACTION_CANCEL || ev.getAction() == MotionEvent.ACTION_UP) {
first = true;
if (startedScroll) {
pager.endFakeDrag();
startedScroll = false;
}
}
return startedScroll || super.onTouchEvent(ev);
}
return super.onTouchEvent(ev);
}
};
scrollSlidingTabStrip.setUnderlineHeight(AndroidUtilities.dp(1));
scrollSlidingTabStrip.setIndicatorColor(0xffe2e5e7);
scrollSlidingTabStrip.setUnderlineColor(0xffe2e5e7);
addView(scrollSlidingTabStrip, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 48, Gravity.LEFT | Gravity.TOP));
ViewProxy.setTranslationX(scrollSlidingTabStrip, AndroidUtilities.displaySize.x);
updateStickerTabs();
scrollSlidingTabStrip.setDelegate(new ScrollSlidingTabStrip.ScrollSlidingTabStripDelegate() {
@Override
public void onPageSelected(int page) {
if (page == 0) {
pager.setCurrentItem(0);
return;
} else if (page == 1 && !recentStickers.isEmpty()) {
views.get(6).setSelection(0);
return;
}
int index = page - (recentStickers.isEmpty() ? 1 : 2);
if (index >= stickerSets.size()) {
index = stickerSets.size() - 1;
}
views.get(6).setSelection(stickersGridAdapter.getPositionForPack(stickerSets.get(index)));
}
});
gridView.setOnScrollListener(new AbsListView.OnScrollListener() {
@Override
public void onScrollStateChanged(AbsListView view, int scrollState) {
}
@Override
public void onScroll(AbsListView view, int firstVisibleItem, int visibleItemCount, int totalItemCount) {
int count = view.getChildCount();
for (int a = 0; a < count; a++) {
View child = view.getChildAt(a);
if (child.getHeight() + child.getTop() < AndroidUtilities.dp(5)) {
firstVisibleItem++;
} else {
break;
}
}
scrollSlidingTabStrip.onPageScrolled(stickersGridAdapter.getTabForPosition(firstVisibleItem) + 1, 0);
}
});
} }
setBackgroundColor(0xfff5f6f7); setBackgroundColor(0xfff5f6f7);
pager = new ViewPager(context); pager = new ViewPager(context) {
@Override
public boolean onInterceptTouchEvent(MotionEvent ev) {
if (getParent() != null) {
getParent().requestDisallowInterceptTouchEvent(true);
}
return super.onInterceptTouchEvent(ev);
}
};
pager.setAdapter(new EmojiPagesAdapter()); pager.setAdapter(new EmojiPagesAdapter());
LinearLayout linearLayout = new LinearLayout(context); pagerSlidingTabStripContainer = new LinearLayout(context) {
linearLayout.setOrientation(LinearLayout.HORIZONTAL); @Override
linearLayout.setBackgroundColor(0xfff5f6f7); public boolean onInterceptTouchEvent(MotionEvent ev) {
addView(linearLayout, new LinearLayout.LayoutParams(LayoutParams.MATCH_PARENT, AndroidUtilities.dp(48))); if (getParent() != null) {
getParent().requestDisallowInterceptTouchEvent(true);
}
return super.onInterceptTouchEvent(ev);
}
};
pagerSlidingTabStripContainer.setOrientation(LinearLayout.HORIZONTAL);
pagerSlidingTabStripContainer.setBackgroundColor(0xfff5f6f7);
addView(pagerSlidingTabStripContainer, LayoutHelper.createFrame(LayoutParams.MATCH_PARENT, 48));
PagerSlidingTabStrip tabs = new PagerSlidingTabStrip(context); PagerSlidingTabStrip pagerSlidingTabStrip = new PagerSlidingTabStrip(context);
tabs.setViewPager(pager); pagerSlidingTabStrip.setViewPager(pager);
tabs.setShouldExpand(true); pagerSlidingTabStrip.setShouldExpand(true);
tabs.setIndicatorHeight(AndroidUtilities.dp(2)); pagerSlidingTabStrip.setIndicatorHeight(AndroidUtilities.dp(2));
tabs.setUnderlineHeight(AndroidUtilities.dp(1)); pagerSlidingTabStrip.setUnderlineHeight(AndroidUtilities.dp(1));
tabs.setIndicatorColor(0xff2b96e2); pagerSlidingTabStrip.setIndicatorColor(0xff2b96e2);
tabs.setUnderlineColor(0xffe2e5e7); pagerSlidingTabStrip.setUnderlineColor(0xffe2e5e7);
linearLayout.addView(tabs, new LinearLayout.LayoutParams(0, AndroidUtilities.dp(48), 1.0f)); pagerSlidingTabStripContainer.addView(pagerSlidingTabStrip, LayoutHelper.createLinear(0, 48, 1.0f));
pagerSlidingTabStrip.setOnPageChangeListener(new ViewPager.OnPageChangeListener() {
@Override
public void onPageScrolled(int position, float positionOffset, int positionOffsetPixels) {
EmojiView.this.onPageScrolled(position, getMeasuredWidth(), positionOffsetPixels);
}
@Override
public void onPageSelected(int position) {
}
@Override
public void onPageScrollStateChanged(int state) {
}
});
FrameLayout frameLayout = new FrameLayout(context); FrameLayout frameLayout = new FrameLayout(context);
linearLayout.addView(frameLayout, new LinearLayout.LayoutParams(AndroidUtilities.dp(52), AndroidUtilities.dp(48))); pagerSlidingTabStripContainer.addView(frameLayout, LayoutHelper.createLinear(52, 48));
backspaceButton = new ImageView(context) { backspaceButton = new ImageView(context) {
@Override @Override
@ -155,11 +315,11 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
backspaceButton.setImageResource(R.drawable.ic_smiles_backspace); backspaceButton.setImageResource(R.drawable.ic_smiles_backspace);
backspaceButton.setBackgroundResource(R.drawable.ic_emoji_backspace); backspaceButton.setBackgroundResource(R.drawable.ic_emoji_backspace);
backspaceButton.setScaleType(ImageView.ScaleType.CENTER); backspaceButton.setScaleType(ImageView.ScaleType.CENTER);
frameLayout.addView(backspaceButton, new FrameLayout.LayoutParams(AndroidUtilities.dp(52), AndroidUtilities.dp(48))); frameLayout.addView(backspaceButton, LayoutHelper.createFrame(52, 48));
View view = new View(context); View view = new View(context);
view.setBackgroundColor(0xffe2e5e7); view.setBackgroundColor(0xffe2e5e7);
frameLayout.addView(view, new FrameLayout.LayoutParams(AndroidUtilities.dp(52), AndroidUtilities.dp(1), Gravity.LEFT | Gravity.BOTTOM)); frameLayout.addView(view, LayoutHelper.createFrame(52, 1, Gravity.LEFT | Gravity.BOTTOM));
recentsWrap = new FrameLayout(context); recentsWrap = new FrameLayout(context);
recentsWrap.addView(views.get(0)); recentsWrap.addView(views.get(0));
@ -172,20 +332,7 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
recentsWrap.addView(textView); recentsWrap.addView(textView);
views.get(0).setEmptyView(textView); views.get(0).setEmptyView(textView);
if (views.size() > 6) { addView(pager, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT, Gravity.LEFT | Gravity.TOP, 0, 48, 0, 0));
emojiWrap = new FrameLayout(context);
emojiWrap.addView(views.get(6));
textView = new TextView(context);
textView.setText(LocaleController.getString("NoStickers", R.string.NoStickers));
textView.setTextSize(18);
textView.setTextColor(0xff888888);
textView.setGravity(Gravity.CENTER);
emojiWrap.addView(textView);
views.get(6).setEmptyView(textView);
}
addView(pager);
loadRecents(); loadRecents();
@ -194,6 +341,39 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
} }
} }
private void onPageScrolled(int position, int width, int positionOffsetPixels) {
if (scrollSlidingTabStrip == null) {
return;
}
if (width == 0) {
width = AndroidUtilities.displaySize.x;
}
int margin = 0;
if (position == 5) {
margin = -positionOffsetPixels;
} else if (position == 6) {
margin = -width;
}
if (ViewProxy.getTranslationX(pagerSlidingTabStripContainer) != margin) {
ViewProxy.setTranslationX(pagerSlidingTabStripContainer, margin);
ViewProxy.setTranslationX(scrollSlidingTabStrip, width + margin);
if (Build.VERSION.SDK_INT < 11) {
if (margin <= -width) {
pagerSlidingTabStripContainer.clearAnimation();
pagerSlidingTabStripContainer.setVisibility(GONE);
} else {
pagerSlidingTabStripContainer.setVisibility(VISIBLE);
}
}
} else if (Build.VERSION.SDK_INT < 11 && pagerSlidingTabStripContainer.getVisibility() == GONE) {
pagerSlidingTabStripContainer.clearAnimation();
pagerSlidingTabStripContainer.setVisibility(GONE);
}
}
private void postBackspaceRunnable(final int time) { private void postBackspaceRunnable(final int time) {
AndroidUtilities.runOnUIThread(new Runnable() { AndroidUtilities.runOnUIThread(new Runnable() {
@Override @Override
@ -273,12 +453,17 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
} }
private void sortStickers() { private void sortStickers() {
if (StickersQuery.getStickerSets().isEmpty()) {
recentStickers.clear();
return;
}
recentStickers.clear();
HashMap<Long, Integer> hashMap = new HashMap<>(); HashMap<Long, Integer> hashMap = new HashMap<>();
for (TLRPC.Document document : stickers) { for (HashMap.Entry<Long, Integer> entry : stickersUseHistory.entrySet()) {
Integer count = stickersUseHistory.get(document.id); TLRPC.Document sticker = StickersQuery.getStickerById(entry.getKey());
if (count != null) { if (sticker != null) {
hashMap.put(document.id, count); recentStickers.add(sticker);
stickersUseHistory.remove(document.id); hashMap.put(sticker.id, entry.getValue());
} }
} }
if (!stickersUseHistory.isEmpty()) { if (!stickersUseHistory.isEmpty()) {
@ -287,7 +472,7 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
} else { } else {
stickersUseHistory = hashMap; stickersUseHistory = hashMap;
} }
Collections.sort(stickers, new Comparator<TLRPC.Document>() { Collections.sort(recentStickers, new Comparator<TLRPC.Document>() {
@Override @Override
public int compare(TLRPC.Document lhs, TLRPC.Document rhs) { public int compare(TLRPC.Document lhs, TLRPC.Document rhs) {
Integer count1 = stickersUseHistory.get(lhs.id); Integer count1 = stickersUseHistory.get(lhs.id);
@ -306,6 +491,28 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
return 0; return 0;
} }
}); });
while (recentStickers.size() > 20) {
recentStickers.remove(recentStickers.size() - 1);
}
}
private void updateStickerTabs() {
scrollSlidingTabStrip.removeTabs();
scrollSlidingTabStrip.addIconTab(R.drawable.ic_emoji_smile);
if (!recentStickers.isEmpty()) {
scrollSlidingTabStrip.addIconTab(R.drawable.ic_smiles_recent);
}
stickerSets.clear();
ArrayList<TLRPC.TL_messages_stickerSet> packs = StickersQuery.getStickerSets();
for (int a = 0; a < packs.size(); a++) {
TLRPC.TL_messages_stickerSet pack = packs.get(a);
if ((pack.set.flags & 2) != 0 || pack.documents == null || pack.documents.isEmpty()) {
continue;
}
stickerSets.add(pack);
scrollSlidingTabStrip.addStickerTab(pack.documents.get(0));
}
scrollSlidingTabStrip.updateTabStyles();
} }
public void loadRecents() { public void loadRecents() {
@ -344,14 +551,42 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
} }
} }
sortStickers(); sortStickers();
updateStickerTabs();
} catch (Exception e) { } catch (Exception e) {
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} }
} }
@Override
public void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { public void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(View.MeasureSpec.makeMeasureSpec(View.MeasureSpec.getSize(widthMeasureSpec), MeasureSpec.EXACTLY), View.MeasureSpec.makeMeasureSpec(View.MeasureSpec.getSize(heightMeasureSpec), MeasureSpec.EXACTLY)); FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) pagerSlidingTabStripContainer.getLayoutParams();
FrameLayout.LayoutParams layoutParams1 = null;
layoutParams.width = View.MeasureSpec.getSize(widthMeasureSpec);
if (scrollSlidingTabStrip != null) {
layoutParams1 = (FrameLayout.LayoutParams) scrollSlidingTabStrip.getLayoutParams();
layoutParams1.width = layoutParams.width;
}
if (layoutParams.width != oldWidth) {
if (scrollSlidingTabStrip != null) {
onPageScrolled(pager.getCurrentItem(), layoutParams.width, 0);
scrollSlidingTabStrip.setLayoutParams(layoutParams1);
}
pagerSlidingTabStripContainer.setLayoutParams(layoutParams);
oldWidth = layoutParams.width;
}
super.onMeasure(View.MeasureSpec.makeMeasureSpec(layoutParams.width, MeasureSpec.EXACTLY), View.MeasureSpec.makeMeasureSpec(View.MeasureSpec.getSize(heightMeasureSpec), MeasureSpec.EXACTLY));
}
@Override
protected void onLayout(boolean changed, int left, int top, int right, int bottom) {
if (lastNotifyWidth != right - left) {
lastNotifyWidth = right - left;
if (stickersGridAdapter != null) {
stickersGridAdapter.notifyDataSetChanged();
}
}
super.onLayout(changed, left, top, right, bottom);
} }
public void setListener(Listener value) { public void setListener(Listener value) {
@ -371,8 +606,16 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
super.onAttachedToWindow(); super.onAttachedToWindow();
if (stickersGridAdapter != null) { if (stickersGridAdapter != null) {
NotificationCenter.getInstance().addObserver(this, NotificationCenter.stickersDidLoaded); NotificationCenter.getInstance().addObserver(this, NotificationCenter.stickersDidLoaded);
stickers = StickersQuery.getStickers(); }
}
@Override
public void setVisibility(int visibility) {
super.setVisibility(visibility);
if (visibility != GONE && stickersGridAdapter != null) {
NotificationCenter.getInstance().addObserver(this, NotificationCenter.stickersDidLoaded);
sortStickers(); sortStickers();
updateStickerTabs();
stickersGridAdapter.notifyDataSetChanged(); stickersGridAdapter.notifyDataSetChanged();
} }
} }
@ -388,57 +631,173 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
@Override @Override
public void didReceivedNotification(int id, Object... args) { public void didReceivedNotification(int id, Object... args) {
if (id == NotificationCenter.stickersDidLoaded) { if (id == NotificationCenter.stickersDidLoaded) {
updateStickerTabs();
stickersGridAdapter.notifyDataSetChanged(); stickersGridAdapter.notifyDataSetChanged();
} }
} }
private class StickersGridAdapter extends BaseAdapter { private class StickersGridAdapter extends BaseAdapter {
Context context; private Context context;
private int stickersPerRow;
private HashMap<Integer, TLRPC.TL_messages_stickerSet> rowStartPack = new HashMap<>();
private HashMap<TLRPC.TL_messages_stickerSet, Integer> packStartRow = new HashMap<>();
private HashMap<Integer, TLRPC.Document> cache = new HashMap<>();
private int totalItems;
public StickersGridAdapter(Context context) { public StickersGridAdapter(Context context) {
this.context = context; this.context = context;
} }
public int getCount() { public int getCount() {
return stickers.size(); return totalItems != 0 ? totalItems + 1 : 0;
} }
public Object getItem(int i) { public Object getItem(int i) {
return stickers.get(i); return cache.get(i);
} }
public long getItemId(int i) { public long getItemId(int i) {
return stickers.get(i).id; return NO_ID;
}
public int getPositionForPack(TLRPC.TL_messages_stickerSet stickerSet) {
return packStartRow.get(stickerSet) * stickersPerRow;
}
@Override
public boolean areAllItemsEnabled() {
return false;
}
@Override
public boolean isEnabled(int position) {
return cache.get(position) != null;
}
@Override
public int getItemViewType(int position) {
if (cache.get(position) != null) {
return 0;
}
return 1;
}
@Override
public int getViewTypeCount() {
return 2;
}
public int getTabForPosition(int position) {
if (stickersPerRow == 0) {
int width = getMeasuredWidth();
if (width == 0) {
width = AndroidUtilities.displaySize.x;
}
stickersPerRow = width / AndroidUtilities.dp(72);
}
int row = position / stickersPerRow;
TLRPC.TL_messages_stickerSet pack = rowStartPack.get(row);
if (pack == null) {
return 0;
}
return stickerSets.indexOf(pack) + (recentStickers.isEmpty() ? 0 : 1);
} }
public View getView(int i, View view, ViewGroup viewGroup) { public View getView(int i, View view, ViewGroup viewGroup) {
if (view == null) { TLRPC.Document sticker = cache.get(i);
view = new StickerEmojiCell(context) { if (sticker != null) {
public void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { if (view == null) {
super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(82), MeasureSpec.EXACTLY)); view = new StickerEmojiCell(context) {
} public void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
}; super.onMeasure(widthMeasureSpec, MeasureSpec.makeMeasureSpec(AndroidUtilities.dp(82), MeasureSpec.EXACTLY));
view.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
if (listener != null) {
TLRPC.Document document = ((StickerEmojiCell) v).getSticker();
Integer count = stickersUseHistory.get(document.id);
if (count == null) {
count = 0;
}
stickersUseHistory.put(document.id, ++count);
saveRecentStickers();
listener.onStickerSelected(document);
} }
};
view.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
if (listener != null) {
TLRPC.Document document = ((StickerEmojiCell) v).getSticker();
Integer count = stickersUseHistory.get(document.id);
if (count == null) {
count = 0;
}
if (count == 0 && stickersUseHistory.size() > 19) {
for (int a = recentStickers.size() - 1; a >= 0; a--) {
TLRPC.Document sticker = recentStickers.get(a);
stickersUseHistory.remove(sticker.id);
recentStickers.remove(a);
if (stickersUseHistory.size() <= 19) {
break;
}
}
}
stickersUseHistory.put(document.id, ++count);
saveRecentStickers();
listener.onStickerSelected(document);
}
}
});
}
((StickerEmojiCell) view).setSticker(sticker, false);
} else {
if (view == null) {
view = new EmptyCell(context);
}
if (i == totalItems) {
int row = (i - 1) / stickersPerRow;
TLRPC.TL_messages_stickerSet pack = rowStartPack.get(row);
if (pack == null) {
((EmptyCell) view).setHeight(1);
} else {
int height = pager.getHeight() - (int) Math.ceil(pack.documents.size() / (float) stickersPerRow) * AndroidUtilities.dp(82);
((EmptyCell) view).setHeight(height > 0 ? height : 1);
} }
}); } else {
((EmptyCell) view).setHeight(AndroidUtilities.dp(82));
}
} }
((StickerEmojiCell) view).setSticker(stickers.get(i), false);
return view; return view;
} }
@Override
public void notifyDataSetChanged() {
int width = getMeasuredWidth();
if (width == 0) {
width = AndroidUtilities.displaySize.x;
}
stickersPerRow = width / AndroidUtilities.dp(72);
rowStartPack.clear();
packStartRow.clear();
cache.clear();
totalItems = 0;
ArrayList<TLRPC.TL_messages_stickerSet> packs = stickerSets;
for (int a = -1; a < packs.size(); a++) {
ArrayList<TLRPC.Document> documents;
TLRPC.TL_messages_stickerSet pack = null;
int startRow = totalItems / stickersPerRow;
if (a == -1) {
documents = recentStickers;
} else {
pack = packs.get(a);
documents = pack.documents;
packStartRow.put(pack, startRow);
}
if (documents.isEmpty()) {
continue;
}
int count = (int) Math.ceil(documents.size() / (float) stickersPerRow);
for (int b = 0; b < documents.size(); b++) {
cache.put(b + totalItems, documents.get(b));
}
totalItems += count * stickersPerRow;
for (int b = 0; b < count; b++) {
rowStartPack.put(startRow + b, pack);
}
}
super.notifyDataSetChanged();
}
@Override @Override
public void unregisterDataSetObserver(DataSetObserver observer) { public void unregisterDataSetObserver(DataSetObserver observer) {
if (observer != null) { if (observer != null) {
@ -500,16 +859,16 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
private class EmojiPagesAdapter extends PagerAdapter implements PagerSlidingTabStrip.IconTabProvider { private class EmojiPagesAdapter extends PagerAdapter implements PagerSlidingTabStrip.IconTabProvider {
public void destroyItem(ViewGroup paramViewGroup, int paramInt, Object paramObject) { public void destroyItem(ViewGroup viewGroup, int position, Object object) {
View localObject; View view;
if (paramInt == 0) { if (position == 0) {
localObject = recentsWrap; view = recentsWrap;
} else if (paramInt == 6) { } else if (position == 6) {
localObject = emojiWrap; view = stickersWrap;
} else { } else {
localObject = views.get(paramInt); view = views.get(position);
} }
paramViewGroup.removeView(localObject); viewGroup.removeView(view);
} }
public int getCount() { public int getCount() {
@ -520,21 +879,21 @@ public class EmojiView extends LinearLayout implements NotificationCenter.Notifi
return icons[paramInt]; return icons[paramInt];
} }
public Object instantiateItem(ViewGroup paramViewGroup, int paramInt) { public Object instantiateItem(ViewGroup viewGroup, int position) {
View localObject; View view;
if (paramInt == 0) { if (position == 0) {
localObject = recentsWrap; view = recentsWrap;
} else if (paramInt == 6) { } else if (position == 6) {
localObject = emojiWrap; view = stickersWrap;
} else { } else {
localObject = views.get(paramInt); view = views.get(position);
} }
paramViewGroup.addView(localObject); viewGroup.addView(view);
return localObject; return view;
} }
public boolean isViewFromObject(View paramView, Object paramObject) { public boolean isViewFromObject(View view, Object object) {
return paramView == paramObject; return view == object;
} }
@Override @Override

View File

@ -0,0 +1,47 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Components;
import android.graphics.Path;
import android.text.StaticLayout;
public class LinkPath extends Path {
private StaticLayout currentLayout;
private int currentLine;
private float lastTop = -1;
public void setCurrentLayout(StaticLayout layout, int start) {
currentLayout = layout;
currentLine = layout.getLineForOffset(start);
lastTop = -1;
}
@Override
public void addRect(float left, float top, float right, float bottom, Direction dir) {
if (lastTop == -1) {
lastTop = top;
} else if (lastTop != top) {
lastTop = top;
currentLine++;
}
float lineRight = currentLayout.getLineRight(currentLine);
float lineLeft = currentLayout.getLineLeft(currentLine);
if (left >= lineRight) {
return;
}
if (right > lineRight) {
right = lineRight;
}
if (left < lineLeft) {
left = lineLeft;
}
super.addRect(left, top, right, bottom, dir);
}
}

View File

@ -8,26 +8,20 @@
package org.telegram.ui.Components; package org.telegram.ui.Components;
import android.app.Activity;
import android.content.Context; import android.content.Context;
import android.text.Editable; import android.text.Editable;
import android.text.InputFilter; import android.text.InputFilter;
import android.text.InputType;
import android.text.TextWatcher; import android.text.TextWatcher;
import android.text.style.ImageSpan; import android.text.style.ImageSpan;
import android.util.TypedValue; import android.util.TypedValue;
import android.view.Gravity; import android.view.Gravity;
import android.view.KeyEvent; import android.view.KeyEvent;
import android.view.MotionEvent;
import android.view.View; import android.view.View;
import android.view.ViewTreeObserver;
import android.view.WindowManager;
import android.view.inputmethod.EditorInfo; import android.view.inputmethod.EditorInfo;
import android.widget.EditText; import android.widget.EditText;
import android.widget.FrameLayout;
import android.widget.ImageView; import android.widget.ImageView;
import android.widget.LinearLayout; import android.widget.LinearLayout;
import android.widget.PopupWindow;
import android.widget.RelativeLayout;
import android.widget.TextView; import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
@ -41,25 +35,18 @@ import org.telegram.messenger.TLRPC;
import org.telegram.android.AnimationCompat.AnimatorSetProxy; import org.telegram.android.AnimationCompat.AnimatorSetProxy;
import org.telegram.android.AnimationCompat.ObjectAnimatorProxy; import org.telegram.android.AnimationCompat.ObjectAnimatorProxy;
public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements NotificationCenter.NotificationCenterDelegate, SizeNotifierRelativeLayoutPhoto.SizeNotifierRelativeLayoutPhotoDelegate { public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements NotificationCenter.NotificationCenterDelegate, SizeNotifierFrameLayoutPhoto.SizeNotifierFrameLayoutPhotoDelegate {
public interface PhotoViewerCaptionEnterViewDelegate { public interface PhotoViewerCaptionEnterViewDelegate {
void onCaptionEnter(); void onCaptionEnter();
void onTextChanged(CharSequence text, boolean bigChange); void onTextChanged(CharSequence text);
void onWindowSizeChanged(int size); void onWindowSizeChanged(int size);
} }
private EditText messageEditText; private EditText messageEditText;
private PopupWindow emojiPopup;
private ImageView emojiButton; private ImageView emojiButton;
private EmojiView emojiView; private EmojiView emojiView;
private SizeNotifierRelativeLayoutPhoto sizeNotifierFrameLayout; private SizeNotifierFrameLayoutPhoto sizeNotifierLayout;
private int framesDroped;
private int keyboardTransitionState;
private boolean showKeyboardOnEmojiButton;
private ViewTreeObserver.OnPreDrawListener onPreDrawListener;
private AnimatorSetProxy runningAnimation; private AnimatorSetProxy runningAnimation;
private AnimatorSetProxy runningAnimation2; private AnimatorSetProxy runningAnimation2;
@ -67,22 +54,23 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
private int runningAnimationType; private int runningAnimationType;
private int audioInterfaceState; private int audioInterfaceState;
private int lastSizeChangeValue1;
private boolean lastSizeChangeValue2;
private int keyboardHeight; private int keyboardHeight;
private int keyboardHeightLand; private int keyboardHeightLand;
private boolean keyboardVisible; private boolean keyboardVisible;
private int emojiPadding;
private View window;
private PhotoViewerCaptionEnterViewDelegate delegate; private PhotoViewerCaptionEnterViewDelegate delegate;
private boolean wasFocus;
public PhotoViewerCaptionEnterView(Context context, View windowView, SizeNotifierRelativeLayoutPhoto parent) { public PhotoViewerCaptionEnterView(Context context, SizeNotifierFrameLayoutPhoto parent) {
super(context); super(context);
setBackgroundColor(0x7f000000); setBackgroundColor(0x7f000000);
setFocusable(true); setFocusable(true);
setFocusableInTouchMode(true); setFocusableInTouchMode(true);
window = windowView; sizeNotifierLayout = parent;
sizeNotifierFrameLayout = parent;
LinearLayout textFieldContainer = new LinearLayout(context); LinearLayout textFieldContainer = new LinearLayout(context);
textFieldContainer.setOrientation(LinearLayout.HORIZONTAL); textFieldContainer.setOrientation(LinearLayout.HORIZONTAL);
@ -99,23 +87,10 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
emojiButton.setOnClickListener(new View.OnClickListener() { emojiButton.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
if (showKeyboardOnEmojiButton) { if (!isPopupShowing()) {
setKeyboardTransitionState(1); showPopup(1);
showEmojiPopup(false, false);
int selection = messageEditText.getSelectionStart();
MotionEvent event = MotionEvent.obtain(0, 0, MotionEvent.ACTION_UP, 0, 0, 0);
messageEditText.onTouchEvent(event);
event.recycle();
messageEditText.setSelection(selection);
} else { } else {
boolean show = emojiPopup == null || !emojiPopup.isShowing(); openKeyboardInternal();
if (show) {
setKeyboardTransitionState(5);
showEmojiPopup(show, true);
} else {
showEmojiPopup(show, true);
setKeyboardTransitionState(1);
}
} }
} }
}); });
@ -123,9 +98,9 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
messageEditText = new EditText(context); messageEditText = new EditText(context);
messageEditText.setHint(LocaleController.getString("AddCaption", R.string.AddCaption)); messageEditText.setHint(LocaleController.getString("AddCaption", R.string.AddCaption));
messageEditText.setImeOptions(EditorInfo.IME_FLAG_NO_EXTRACT_UI | EditorInfo.IME_ACTION_DONE); messageEditText.setImeOptions(EditorInfo.IME_FLAG_NO_EXTRACT_UI | EditorInfo.IME_ACTION_DONE);
messageEditText.setInputType(EditorInfo.TYPE_TEXT_FLAG_CAP_SENTENCES | EditorInfo.TYPE_TEXT_FLAG_MULTI_LINE | InputType.TYPE_TEXT_FLAG_NO_SUGGESTIONS); messageEditText.setInputType(EditorInfo.TYPE_TEXT_FLAG_CAP_SENTENCES | EditorInfo.TYPE_CLASS_TEXT);
messageEditText.setSingleLine(false);
messageEditText.setMaxLines(4); messageEditText.setMaxLines(4);
messageEditText.setHorizontallyScrolling(false);
messageEditText.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 18); messageEditText.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 18);
messageEditText.setGravity(Gravity.BOTTOM); messageEditText.setGravity(Gravity.BOTTOM);
messageEditText.setPadding(0, AndroidUtilities.dp(11), 0, AndroidUtilities.dp(12)); messageEditText.setPadding(0, AndroidUtilities.dp(11), 0, AndroidUtilities.dp(12));
@ -140,9 +115,9 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
messageEditText.setOnKeyListener(new OnKeyListener() { messageEditText.setOnKeyListener(new OnKeyListener() {
@Override @Override
public boolean onKey(View view, int i, KeyEvent keyEvent) { public boolean onKey(View view, int i, KeyEvent keyEvent) {
if (i == 4 && !keyboardVisible && emojiPopup != null && emojiPopup.isShowing()) { if (i == KeyEvent.KEYCODE_BACK && !keyboardVisible && isPopupShowing()) {
if (keyEvent.getAction() == 1) { if (keyEvent.getAction() == 1) {
showEmojiPopup(false, true); showPopup(0);
} }
return true; return true;
} else if (i == KeyEvent.KEYCODE_ENTER && keyEvent.getAction() == KeyEvent.ACTION_DOWN) { } else if (i == KeyEvent.KEYCODE_ENTER && keyEvent.getAction() == KeyEvent.ACTION_DOWN) {
@ -152,30 +127,18 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
return false; return false;
} }
}); });
messageEditText.setOnFocusChangeListener(new OnFocusChangeListener() {
@Override
public void onFocusChange(View v, boolean hasFocus) {
if (!wasFocus) {
setKeyboardTransitionState(3);
}
wasFocus = hasFocus;
}
});
messageEditText.setOnClickListener(new OnClickListener() { messageEditText.setOnClickListener(new OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
if (emojiPopup != null && emojiPopup.isShowing()) { if (isPopupShowing()) {
setKeyboardTransitionState(1); showPopup(AndroidUtilities.usingHardwareInput ? 0 : 2);
showEmojiPopup(false, false);
} else {
setKeyboardTransitionState(3);
} }
} }
}); });
messageEditText.setOnEditorActionListener(new TextView.OnEditorActionListener() { messageEditText.setOnEditorActionListener(new TextView.OnEditorActionListener() {
@Override @Override
public boolean onEditorAction(TextView textView, int i, KeyEvent keyEvent) { public boolean onEditorAction(TextView textView, int i, KeyEvent keyEvent) {
if (i == EditorInfo.IME_ACTION_DONE) { if (i == EditorInfo.IME_ACTION_DONE || i == EditorInfo.IME_ACTION_NEXT) {
delegate.onCaptionEnter(); delegate.onCaptionEnter();
return true; return true;
} else if (keyEvent != null && i == EditorInfo.IME_NULL && keyEvent.getAction() == KeyEvent.ACTION_DOWN) { } else if (keyEvent != null && i == EditorInfo.IME_NULL && keyEvent.getAction() == KeyEvent.ACTION_DOWN) {
@ -193,10 +156,8 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
@Override @Override
public void onTextChanged(CharSequence charSequence, int start, int before, int count) { public void onTextChanged(CharSequence charSequence, int start, int before, int count) {
String message = getTrimmedString(charSequence.toString());
if (delegate != null) { if (delegate != null) {
delegate.onTextChanged(charSequence, before > count || count > 2); delegate.onTextChanged(charSequence);
} }
} }
@ -217,48 +178,11 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
}); });
} }
private void setKeyboardTransitionState(int state) { private void onWindowSizeChanged() {
if (AndroidUtilities.usingHardwareInput) { int size = sizeNotifierLayout.getHeight();
if (state == 1) { if (!keyboardVisible) {
showEmojiPopup(false, false); size -= emojiPadding;
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = 0;//AndroidUtilities.dp(48);
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
} else if (state == 2) {
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
sizeNotifierFrameLayout.setPadding(0, 0, 0, currentHeight);
keyboardTransitionState = 0;
} else if (state == 3) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = 0;//AndroidUtilities.dp(48);
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
} else if (state == 4) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = -AndroidUtilities.dp(400);
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
} else if (state == 5) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = 0;
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
}
} else {
framesDroped = 0;
keyboardTransitionState = state;
if (state == 1) {
sizeNotifierFrameLayout.setPadding(0, 0, 0, 0);
}
} }
}
public int getKeyboardTransitionState() {
return keyboardTransitionState;
}
private void onWindowSizeChanged(int size) {
if (delegate != null) { if (delegate != null) {
delegate.onWindowSizeChanged(size); delegate.onWindowSizeChanged(size);
} }
@ -266,202 +190,21 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
public void onCreate() { public void onCreate() {
NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded); NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.hideEmojiKeyboard); sizeNotifierLayout.setDelegate(this);
sizeNotifierFrameLayout.getViewTreeObserver().addOnPreDrawListener(onPreDrawListener = new ViewTreeObserver.OnPreDrawListener() {
@Override
public boolean onPreDraw() {
if (keyboardTransitionState == 1) {
if (keyboardVisible || framesDroped >= 60) {
showEmojiPopup(false, false);
keyboardTransitionState = 0;
} else {
if (messageEditText != null) {
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
}
}
framesDroped++;
return false;
} else if (keyboardTransitionState == 2) {
if (!keyboardVisible || framesDroped >= 60) {
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
sizeNotifierFrameLayout.setPadding(0, 0, 0, currentHeight);
keyboardTransitionState = 0;
}
framesDroped++;
return false;
} else if (keyboardTransitionState == 3) {
if (keyboardVisible) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = 0;//AndroidUtilities.usingHardwareInput ? AndroidUtilities.dp(48) : 0;
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
}
} else if (keyboardTransitionState == 4) {
if (!keyboardVisible && (emojiPopup == null || !emojiPopup.isShowing())) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = -AndroidUtilities.dp(400);
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
}
} else if (keyboardTransitionState == 5) {
if (emojiPopup != null && emojiPopup.isShowing()) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) getLayoutParams();
layoutParams.bottomMargin = 0;
setLayoutParams(layoutParams);
keyboardTransitionState = 0;
}
}
return true;
}
});
sizeNotifierFrameLayout.setDelegate(this);
} }
public void onDestroy() { public void onDestroy() {
if (isEmojiPopupShowing()) { hidePopup();
hideEmojiPopup();
}
if (isKeyboardVisible()) { if (isKeyboardVisible()) {
closeKeyboard(); closeKeyboard();
} }
keyboardVisible = false; keyboardVisible = false;
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.emojiDidLoaded); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.emojiDidLoaded);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.hideEmojiKeyboard); if (sizeNotifierLayout != null) {
if (sizeNotifierFrameLayout != null) { sizeNotifierLayout.setDelegate(null);
sizeNotifierFrameLayout.getViewTreeObserver().removeOnPreDrawListener(onPreDrawListener);
sizeNotifierFrameLayout.setDelegate(null);
} }
} }
private String getTrimmedString(String src) {
String result = src.trim();
if (result.length() == 0) {
return result;
}
while (src.startsWith("\n")) {
src = src.substring(1);
}
while (src.endsWith("\n")) {
src = src.substring(0, src.length() - 1);
}
return src;
}
private void showEmojiPopup(boolean show, boolean post) {
if (show) {
if (emojiPopup == null) {
emojiView = new EmojiView(false, getContext());
emojiView.setListener(new EmojiView.Listener() {
public boolean onBackspace() {
if (messageEditText.length() == 0) {
return false;
}
messageEditText.dispatchKeyEvent(new KeyEvent(KeyEvent.ACTION_DOWN, KeyEvent.KEYCODE_DEL));
return true;
}
public void onEmojiSelected(String symbol) {
int i = messageEditText.getSelectionEnd();
if (i < 0) {
i = 0;
}
try {
CharSequence localCharSequence = Emoji.replaceEmoji(symbol, messageEditText.getPaint().getFontMetricsInt(), AndroidUtilities.dp(20));
messageEditText.setText(messageEditText.getText().insert(i, localCharSequence));
int j = i + localCharSequence.length();
messageEditText.setSelection(j, j);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
public void onStickerSelected(TLRPC.Document sticker) {
}
});
emojiPopup = new PopupWindow(emojiView);
}
if (keyboardHeight <= 0) {
keyboardHeight = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height", AndroidUtilities.dp(200));
}
if (keyboardHeightLand <= 0) {
keyboardHeightLand = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height_land3", AndroidUtilities.dp(200));
}
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
FileLog.e("tmessages", "show emoji with height = " + currentHeight);
emojiPopup.setHeight(View.MeasureSpec.makeMeasureSpec(currentHeight, View.MeasureSpec.EXACTLY));
if (sizeNotifierFrameLayout != null) {
emojiPopup.setWidth(View.MeasureSpec.makeMeasureSpec(AndroidUtilities.displaySize.x, View.MeasureSpec.EXACTLY));
}
emojiPopup.showAtLocation(window, Gravity.BOTTOM | Gravity.LEFT, 0, 0);
if (!keyboardVisible) {
if (sizeNotifierFrameLayout != null) {
sizeNotifierFrameLayout.setPadding(0, 0, 0, currentHeight);
emojiButton.setImageResource(R.drawable.arrow_down_w);
showKeyboardOnEmojiButton = false;
onWindowSizeChanged(sizeNotifierFrameLayout.getHeight() - sizeNotifierFrameLayout.getPaddingBottom());
}
return;
} else {
setKeyboardTransitionState(2);
AndroidUtilities.hideKeyboard(messageEditText);
}
emojiButton.setImageResource(R.drawable.ic_keyboard_w);
showKeyboardOnEmojiButton = true;
return;
}
if (emojiButton != null) {
showKeyboardOnEmojiButton = false;
emojiButton.setImageResource(R.drawable.ic_smile_w);
}
if (emojiPopup != null) {
try {
emojiPopup.dismiss();
} catch (Exception e) {
//don't promt
}
}
if (keyboardTransitionState == 0) {
if (sizeNotifierFrameLayout != null) {
if (post) {
sizeNotifierFrameLayout.post(new Runnable() {
public void run() {
if (sizeNotifierFrameLayout != null) {
sizeNotifierFrameLayout.setPadding(0, 0, 0, 0);
onWindowSizeChanged(sizeNotifierFrameLayout.getHeight());
}
}
});
} else {
sizeNotifierFrameLayout.setPadding(0, 0, 0, 0);
onWindowSizeChanged(sizeNotifierFrameLayout.getHeight());
}
}
}
}
public void hideEmojiPopup() {
if (emojiPopup != null && emojiPopup.isShowing()) {
showEmojiPopup(false, true);
}
setKeyboardTransitionState(4);
}
public void openKeyboard() {
setKeyboardTransitionState(3);
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
}
public void closeKeyboard() {
setKeyboardTransitionState(4);
AndroidUtilities.hideKeyboard(messageEditText);
}
public void setDelegate(PhotoViewerCaptionEnterViewDelegate delegate) { public void setDelegate(PhotoViewerCaptionEnterViewDelegate delegate) {
this.delegate = delegate; this.delegate = delegate;
} }
@ -473,7 +216,7 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
messageEditText.setText(text); messageEditText.setText(text);
messageEditText.setSelection(messageEditText.getText().length()); messageEditText.setSelection(messageEditText.getText().length());
if (delegate != null) { if (delegate != null) {
delegate.onTextChanged(messageEditText.getText(), true); delegate.onTextChanged(messageEditText.getText());
} }
} }
@ -525,27 +268,122 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
} }
} }
public boolean hasText() {
return messageEditText != null && messageEditText.length() > 0;
}
public String getFieldText() {
if (messageEditText != null && messageEditText.length() > 0) {
return getTrimmedString(messageEditText.getText().toString());
}
return null;
}
public CharSequence getFieldCharSequence() { public CharSequence getFieldCharSequence() {
return messageEditText.getText(); return messageEditText.getText();
} }
public boolean isEmojiPopupShowing() { public int getEmojiPadding() {
return emojiPopup != null && emojiPopup.isShowing(); return emojiPadding;
}
public boolean isPopupView(View view) {
return view == emojiView;
}
private void showPopup(int show) {
if (show == 1) {
if (emojiView == null) {
emojiView = new EmojiView(false, getContext());
emojiView.setListener(new EmojiView.Listener() {
public boolean onBackspace() {
if (messageEditText.length() == 0) {
return false;
}
messageEditText.dispatchKeyEvent(new KeyEvent(KeyEvent.ACTION_DOWN, KeyEvent.KEYCODE_DEL));
return true;
}
public void onEmojiSelected(String symbol) {
int i = messageEditText.getSelectionEnd();
if (i < 0) {
i = 0;
}
try {
CharSequence localCharSequence = Emoji.replaceEmoji(symbol, messageEditText.getPaint().getFontMetricsInt(), AndroidUtilities.dp(20));
messageEditText.setText(messageEditText.getText().insert(i, localCharSequence));
int j = i + localCharSequence.length();
messageEditText.setSelection(j, j);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
public void onStickerSelected(TLRPC.Document sticker) {
}
});
sizeNotifierLayout.addView(emojiView);
}
emojiView.setVisibility(VISIBLE);
if (keyboardHeight <= 0) {
keyboardHeight = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height", AndroidUtilities.dp(200));
}
if (keyboardHeightLand <= 0) {
keyboardHeightLand = ApplicationLoader.applicationContext.getSharedPreferences("emoji", 0).getInt("kbd_height_land3", AndroidUtilities.dp(200));
}
int currentHeight = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y ? keyboardHeightLand : keyboardHeight;
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) emojiView.getLayoutParams();
layoutParams.width = AndroidUtilities.displaySize.x;
layoutParams.height = currentHeight;
emojiView.setLayoutParams(layoutParams);
AndroidUtilities.hideKeyboard(messageEditText);
if (sizeNotifierLayout != null) {
emojiPadding = currentHeight;
sizeNotifierLayout.requestLayout();
emojiButton.setImageResource(R.drawable.ic_keyboard_w);
onWindowSizeChanged();
}
} else {
if (emojiButton != null) {
emojiButton.setImageResource(R.drawable.ic_smile_w);
}
if (emojiView != null) {
emojiView.setVisibility(GONE);
}
if (sizeNotifierLayout != null) {
if (show == 0) {
emojiPadding = 0;
}
sizeNotifierLayout.requestLayout();
onWindowSizeChanged();
}
}
}
public void hidePopup() {
if (isPopupShowing()) {
showPopup(0);
}
}
private void openKeyboardInternal() {
showPopup(AndroidUtilities.usingHardwareInput ? 0 : 2);
/*int selection = messageEditText.getSelectionStart();
MotionEvent event = MotionEvent.obtain(0, 0, MotionEvent.ACTION_UP, 0, 0, 0);
messageEditText.onTouchEvent(event);
event.recycle();
messageEditText.setSelection(selection);*/
AndroidUtilities.showKeyboard(messageEditText);
}
public void openKeyboard() {
messageEditText.requestFocus();
AndroidUtilities.showKeyboard(messageEditText);
}
public boolean isPopupShowing() {
return emojiView != null && emojiView.getVisibility() == VISIBLE;
}
public void closeKeyboard() {
AndroidUtilities.hideKeyboard(messageEditText);
} }
public boolean isKeyboardVisible() { public boolean isKeyboardVisible() {
return AndroidUtilities.usingHardwareInput && getLayoutParams() != null && ((RelativeLayout.LayoutParams) getLayoutParams()).bottomMargin == 0 || keyboardVisible; return AndroidUtilities.usingHardwareInput && getLayoutParams() != null && ((FrameLayout.LayoutParams) getLayoutParams()).bottomMargin == 0 || keyboardVisible;
} }
@Override @Override
@ -560,41 +398,44 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
} }
} }
if (emojiPopup != null && emojiPopup.isShowing()) { if (isPopupShowing()) {
int newHeight = 0; int newHeight;
if (isWidthGreater) { if (isWidthGreater) {
newHeight = keyboardHeightLand; newHeight = keyboardHeightLand;
} else { } else {
newHeight = keyboardHeight; newHeight = keyboardHeight;
} }
WindowManager.LayoutParams layoutParams = (WindowManager.LayoutParams) emojiPopup.getContentView().getLayoutParams();
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) emojiView.getLayoutParams();
if (layoutParams.width != AndroidUtilities.displaySize.x || layoutParams.height != newHeight) { if (layoutParams.width != AndroidUtilities.displaySize.x || layoutParams.height != newHeight) {
layoutParams.width = AndroidUtilities.displaySize.x; layoutParams.width = AndroidUtilities.displaySize.x;
layoutParams.height = newHeight; layoutParams.height = newHeight;
WindowManager wm = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Activity.WINDOW_SERVICE); emojiView.setLayoutParams(layoutParams);
if (wm != null) { if (sizeNotifierLayout != null) {
wm.updateViewLayout(emojiPopup.getContentView(), layoutParams); emojiPadding = layoutParams.height;
if (!keyboardVisible) { sizeNotifierLayout.requestLayout();
if (sizeNotifierFrameLayout != null) { onWindowSizeChanged();
sizeNotifierFrameLayout.setPadding(0, 0, 0, layoutParams.height);
sizeNotifierFrameLayout.requestLayout();
onWindowSizeChanged(sizeNotifierFrameLayout.getHeight() - sizeNotifierFrameLayout.getPaddingBottom());
}
}
} }
} }
} }
if (lastSizeChangeValue1 == height && lastSizeChangeValue2 == isWidthGreater) {
onWindowSizeChanged();
return;
}
lastSizeChangeValue1 = height;
lastSizeChangeValue2 = isWidthGreater;
boolean oldValue = keyboardVisible; boolean oldValue = keyboardVisible;
keyboardVisible = height > 0; keyboardVisible = height > 0;
if (keyboardVisible && (sizeNotifierFrameLayout.getPaddingBottom() > 0 || keyboardTransitionState == 1)) { if (keyboardVisible && isPopupShowing()) {
setKeyboardTransitionState(1); showPopup(0);
} else if (keyboardTransitionState != 2 && !keyboardVisible && keyboardVisible != oldValue && emojiPopup != null && emojiPopup.isShowing()) {
showEmojiPopup(false, true);
} }
if (keyboardTransitionState == 0) { if (emojiPadding != 0 && !keyboardVisible && keyboardVisible != oldValue && !isPopupShowing()) {
onWindowSizeChanged(sizeNotifierFrameLayout.getHeight() - sizeNotifierFrameLayout.getPaddingBottom()); emojiPadding = 0;
sizeNotifierLayout.requestLayout();
} }
onWindowSizeChanged();
} }
@Override @Override
@ -603,8 +444,6 @@ public class PhotoViewerCaptionEnterView extends FrameLayoutFixed implements Not
if (emojiView != null) { if (emojiView != null) {
emojiView.invalidateViews(); emojiView.invalidateViews();
} }
} else if (id == NotificationCenter.hideEmojiKeyboard) {
hideEmojiPopup();
} }
} }
} }

View File

@ -290,7 +290,7 @@ public class RecyclerListView extends RecyclerView {
return; return;
} }
boolean emptyViewVisible = getAdapter().getItemCount() == 0; boolean emptyViewVisible = getAdapter().getItemCount() == 0;
emptyView.setVisibility(emptyViewVisible ? VISIBLE : INVISIBLE); emptyView.setVisibility(emptyViewVisible ? VISIBLE : GONE);
setVisibility(emptyViewVisible ? INVISIBLE : VISIBLE); setVisibility(emptyViewVisible ? INVISIBLE : VISIBLE);
} }

View File

@ -0,0 +1,210 @@
/*
* This is the source code of Telegram for Android v. 2.x.x.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013-2015.
*/
package org.telegram.ui.Components;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Paint;
import android.graphics.Paint.Style;
import android.util.DisplayMetrics;
import android.view.Gravity;
import android.view.View;
import android.widget.FrameLayout;
import android.widget.HorizontalScrollView;
import android.widget.ImageView;
import android.widget.LinearLayout;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.TLRPC;
public class ScrollSlidingTabStrip extends HorizontalScrollView {
public interface ScrollSlidingTabStripDelegate {
void onPageSelected(int page);
}
private LinearLayout.LayoutParams defaultTabLayoutParams;
private LinearLayout tabsContainer;
private ScrollSlidingTabStripDelegate delegate;
private int tabCount;
private int currentPosition = 0;
private Paint rectPaint;
private int indicatorColor = 0xff666666;
private int underlineColor = 0x1a000000;
private int scrollOffset = AndroidUtilities.dp(52);
private int underlineHeight = AndroidUtilities.dp(2);
private int dividerPadding = AndroidUtilities.dp(12);
private int tabPadding = AndroidUtilities.dp(24);
private int lastScrollX = 0;
public ScrollSlidingTabStrip(Context context) {
super(context);
setFillViewport(true);
setWillNotDraw(false);
setHorizontalScrollBarEnabled(false);
tabsContainer = new LinearLayout(context);
tabsContainer.setOrientation(LinearLayout.HORIZONTAL);
tabsContainer.setLayoutParams(new LayoutParams(LayoutParams.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
addView(tabsContainer);
DisplayMetrics dm = getResources().getDisplayMetrics();
rectPaint = new Paint();
rectPaint.setAntiAlias(true);
rectPaint.setStyle(Style.FILL);
defaultTabLayoutParams = new LinearLayout.LayoutParams(AndroidUtilities.dp(52), LayoutHelper.MATCH_PARENT);
}
public void setDelegate(ScrollSlidingTabStripDelegate scrollSlidingTabStripDelegate) {
delegate = scrollSlidingTabStripDelegate;
}
public void removeTabs() {
tabsContainer.removeAllViews();
tabCount = 0;
currentPosition = 0;
}
public void addIconTab(int resId) {
final int position = tabCount++;
ImageView tab = new ImageView(getContext());
tab.setFocusable(true);
tab.setImageResource(resId);
tab.setScaleType(ImageView.ScaleType.CENTER);
tab.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
delegate.onPageSelected(position);
}
});
tabsContainer.addView(tab);
tab.setSelected(position == currentPosition);
}
public void addStickerTab(TLRPC.Document sticker) {
final int position = tabCount++;
FrameLayout tab = new FrameLayout(getContext());
tab.setFocusable(true);
tab.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
delegate.onPageSelected(position);
}
});
tabsContainer.addView(tab);
tab.setSelected(position == currentPosition);
BackupImageView imageView = new BackupImageView(getContext());
if (sticker != null && sticker.thumb != null) {
imageView.setImage(sticker.thumb.location, null, "webp", null);
}
imageView.setAspectFit(true);
tab.addView(imageView, LayoutHelper.createFrame(30, 30, Gravity.CENTER));
}
public void updateTabStyles() {
for (int i = 0; i < tabCount; i++) {
View v = tabsContainer.getChildAt(i);
v.setLayoutParams(defaultTabLayoutParams);
}
}
private void scrollToChild(int position) {
if (tabCount == 0) {
return;
}
int newScrollX = tabsContainer.getChildAt(position).getLeft();
if (position > 0) {
newScrollX -= scrollOffset;
}
int currentScrollX = getScrollX();
if (newScrollX != lastScrollX) {
if (newScrollX < currentScrollX) {
lastScrollX = newScrollX;
smoothScrollTo(lastScrollX, 0);
} else if (newScrollX + scrollOffset > currentScrollX + getWidth() - scrollOffset * 2) {
lastScrollX = newScrollX - getWidth() + scrollOffset * 3;
smoothScrollTo(lastScrollX, 0);
}
}
}
@Override
protected void onScrollChanged(int l, int t, int oldl, int oldt) {
super.onScrollChanged(l, t, oldl, oldt);
}
@Override
protected void onDraw(Canvas canvas) {
super.onDraw(canvas);
if (isInEditMode() || tabCount == 0) {
return;
}
final int height = getHeight();
rectPaint.setColor(underlineColor);
canvas.drawRect(0, height - underlineHeight, tabsContainer.getWidth(), height, rectPaint);
View currentTab = tabsContainer.getChildAt(currentPosition);
float lineLeft = 0;
float lineRight = 0;
if (currentTab != null) {
lineLeft = currentTab.getLeft();
lineRight = currentTab.getRight();
}
rectPaint.setColor(indicatorColor);
canvas.drawRect(lineLeft, 0, lineRight, height, rectPaint);
}
public void onPageScrolled(int position, int positionOffsetPixels) {
if (currentPosition == position) {
return;
}
currentPosition = position;
if (position >= tabsContainer.getChildCount()) {
return;
}
for (int a = 0; a < tabsContainer.getChildCount(); a++) {
tabsContainer.getChildAt(a).setSelected(a == position);
}
scrollToChild(position);
invalidate();
}
public void setIndicatorColor(int indicatorColor) {
this.indicatorColor = indicatorColor;
invalidate();
}
public void setUnderlineColor(int underlineColor) {
this.underlineColor = underlineColor;
invalidate();
}
public void setUnderlineColorResource(int resId) {
this.underlineColor = getResources().getColor(resId);
invalidate();
}
public void setUnderlineHeight(int underlineHeightPx) {
this.underlineHeight = underlineHeightPx;
invalidate();
}
}

View File

@ -8,7 +8,6 @@
package org.telegram.ui.Components; package org.telegram.ui.Components;
import android.annotation.SuppressLint;
import android.content.Context; import android.content.Context;
import android.graphics.Canvas; import android.graphics.Canvas;
import android.graphics.Rect; import android.graphics.Rect;
@ -25,23 +24,18 @@ public class SizeNotifierFrameLayout extends FrameLayout {
private Rect rect = new Rect(); private Rect rect = new Rect();
private Drawable backgroundDrawable; private Drawable backgroundDrawable;
private int keyboardHeight; private int keyboardHeight;
private SizeNotifierRelativeLayout.SizeNotifierRelativeLayoutDelegate delegate; private int bottomClip;
private SizeNotifierFrameLayoutDelegate delegate;
public interface SizeNotifierFrameLayoutDelegate {
void onSizeChanged(int keyboardHeight, boolean isWidthGreater);
}
public SizeNotifierFrameLayout(Context context) { public SizeNotifierFrameLayout(Context context) {
super(context); super(context);
setWillNotDraw(false); setWillNotDraw(false);
} }
public SizeNotifierFrameLayout(Context context, android.util.AttributeSet attrs) {
super(context, attrs);
setWillNotDraw(false);
}
public SizeNotifierFrameLayout(Context context, android.util.AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
setWillNotDraw(false);
}
public void setBackgroundImage(int resourceId) { public void setBackgroundImage(int resourceId) {
try { try {
backgroundDrawable = getResources().getDrawable(resourceId); backgroundDrawable = getResources().getDrawable(resourceId);
@ -58,23 +52,26 @@ public class SizeNotifierFrameLayout extends FrameLayout {
return backgroundDrawable; return backgroundDrawable;
} }
public void setDelegate(SizeNotifierRelativeLayout.SizeNotifierRelativeLayoutDelegate delegate) { public void setDelegate(SizeNotifierFrameLayoutDelegate delegate) {
this.delegate = delegate; this.delegate = delegate;
} }
@SuppressLint("DrawAllocation")
@Override @Override
protected void onLayout(boolean changed, int l, int t, int r, int b) { protected void onLayout(boolean changed, int l, int t, int r, int b) {
super.onLayout(changed, l, t, r, b); super.onLayout(changed, l, t, r, b);
notifyHeightChanged(); notifyHeightChanged();
} }
public int getKeyboardHeight() {
View rootView = getRootView();
getWindowVisibleDisplayFrame(rect);
int usableViewHeight = rootView.getHeight() - (rect.top != 0 ? AndroidUtilities.statusBarHeight : 0) - AndroidUtilities.getViewInset(rootView);
return usableViewHeight - (rect.bottom - rect.top);
}
public void notifyHeightChanged() { public void notifyHeightChanged() {
if (delegate != null) { if (delegate != null) {
View rootView = this.getRootView(); keyboardHeight = getKeyboardHeight();
int usableViewHeight = rootView.getHeight() - AndroidUtilities.statusBarHeight - AndroidUtilities.getViewInset(rootView);
this.getWindowVisibleDisplayFrame(rect);
keyboardHeight = usableViewHeight - (rect.bottom - rect.top);
final boolean isWidthGreater = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y; final boolean isWidthGreater = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y;
post(new Runnable() { post(new Runnable() {
@Override @Override
@ -87,12 +84,23 @@ public class SizeNotifierFrameLayout extends FrameLayout {
} }
} }
public void setBottomClip(int value) {
bottomClip = value;
}
@Override @Override
protected void onDraw(Canvas canvas) { protected void onDraw(Canvas canvas) {
if (backgroundDrawable != null) { if (backgroundDrawable != null) {
if (backgroundDrawable instanceof ColorDrawable) { if (backgroundDrawable instanceof ColorDrawable) {
if (bottomClip != 0) {
canvas.save();
canvas.clipRect(0, 0, getMeasuredWidth(), getMeasuredHeight() - bottomClip);
}
backgroundDrawable.setBounds(0, 0, getMeasuredWidth(), getMeasuredHeight()); backgroundDrawable.setBounds(0, 0, getMeasuredWidth(), getMeasuredHeight());
backgroundDrawable.draw(canvas); backgroundDrawable.draw(canvas);
if (bottomClip != 0) {
canvas.restore();
}
} else { } else {
float scaleX = (float) getMeasuredWidth() / (float) backgroundDrawable.getIntrinsicWidth(); float scaleX = (float) getMeasuredWidth() / (float) backgroundDrawable.getIntrinsicWidth();
float scaleY = (float) (getMeasuredHeight() + keyboardHeight) / (float) backgroundDrawable.getIntrinsicHeight(); float scaleY = (float) (getMeasuredHeight() + keyboardHeight) / (float) backgroundDrawable.getIntrinsicHeight();
@ -101,8 +109,15 @@ public class SizeNotifierFrameLayout extends FrameLayout {
int height = (int) Math.ceil(backgroundDrawable.getIntrinsicHeight() * scale); int height = (int) Math.ceil(backgroundDrawable.getIntrinsicHeight() * scale);
int x = (getMeasuredWidth() - width) / 2; int x = (getMeasuredWidth() - width) / 2;
int y = (getMeasuredHeight() - height + keyboardHeight) / 2; int y = (getMeasuredHeight() - height + keyboardHeight) / 2;
if (bottomClip != 0) {
canvas.save();
canvas.clipRect(0, 0, width, getMeasuredHeight() - bottomClip);
}
backgroundDrawable.setBounds(x, y, x + width, y + height); backgroundDrawable.setBounds(x, y, x + width, y + height);
backgroundDrawable.draw(canvas); backgroundDrawable.draw(canvas);
if (bottomClip != 0) {
canvas.restore();
}
} }
} else { } else {
super.onDraw(canvas); super.onDraw(canvas);

View File

@ -8,42 +8,47 @@
package org.telegram.ui.Components; package org.telegram.ui.Components;
import android.annotation.SuppressLint;
import android.content.Context; import android.content.Context;
import android.graphics.Rect; import android.graphics.Rect;
import android.view.View; import android.view.View;
import android.widget.RelativeLayout; import android.widget.FrameLayout;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
public class SizeNotifierRelativeLayoutPhoto extends RelativeLayout { public class SizeNotifierFrameLayoutPhoto extends FrameLayout {
public interface SizeNotifierRelativeLayoutPhotoDelegate {
void onSizeChanged(int keyboardHeight, boolean isWidthGreater);
}
private Rect rect = new Rect(); private Rect rect = new Rect();
private int keyboardHeight; private int keyboardHeight;
private SizeNotifierRelativeLayoutPhotoDelegate delegate; private SizeNotifierFrameLayoutPhotoDelegate delegate;
public SizeNotifierRelativeLayoutPhoto(Context context) { public interface SizeNotifierFrameLayoutPhotoDelegate {
void onSizeChanged(int keyboardHeight, boolean isWidthGreater);
}
public SizeNotifierFrameLayoutPhoto(Context context) {
super(context); super(context);
} }
public void setDelegate(SizeNotifierRelativeLayoutPhotoDelegate delegate) { public void setDelegate(SizeNotifierFrameLayoutPhotoDelegate delegate) {
this.delegate = delegate; this.delegate = delegate;
} }
@SuppressLint("DrawAllocation")
@Override @Override
protected void onLayout(boolean changed, int l, int t, int r, int b) { protected void onLayout(boolean changed, int l, int t, int r, int b) {
super.onLayout(changed, l, t, r, b); super.onLayout(changed, l, t, r, b);
notifyHeightChanged();
}
public int getKeyboardHeight() {
View rootView = getRootView();
int usableViewHeight = rootView.getHeight() - AndroidUtilities.getViewInset(rootView);
getWindowVisibleDisplayFrame(rect);
return (rect.bottom - rect.top) - usableViewHeight;
}
public void notifyHeightChanged() {
if (delegate != null) { if (delegate != null) {
View rootView = this.getRootView(); keyboardHeight = getKeyboardHeight();
int usableViewHeight = rootView.getHeight() - AndroidUtilities.getViewInset(rootView);
this.getWindowVisibleDisplayFrame(rect);
keyboardHeight = (rect.bottom - rect.top) - usableViewHeight;
final boolean isWidthGreater = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y; final boolean isWidthGreater = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y;
post(new Runnable() { post(new Runnable() {
@Override @Override

View File

@ -1,112 +0,0 @@
/*
* This is the source code of Telegram for Android v. 1.3.2.
* It is licensed under GNU GPL v. 2 or later.
* You should have received a copy of the license in this archive (see LICENSE).
*
* Copyright Nikolai Kudashov, 2013.
*/
package org.telegram.ui.Components;
import android.annotation.SuppressLint;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Rect;
import android.graphics.drawable.ColorDrawable;
import android.graphics.drawable.Drawable;
import android.view.View;
import android.widget.RelativeLayout;
import org.telegram.android.AndroidUtilities;
import org.telegram.messenger.FileLog;
public class SizeNotifierRelativeLayout extends RelativeLayout {
private Rect rect = new Rect();
private Drawable backgroundDrawable;
private int keyboardHeight;
private SizeNotifierRelativeLayoutDelegate delegate;
public interface SizeNotifierRelativeLayoutDelegate {
void onSizeChanged(int keyboardHeight, boolean isWidthGreater);
}
public SizeNotifierRelativeLayout(Context context) {
super(context);
setWillNotDraw(false);
}
public SizeNotifierRelativeLayout(android.content.Context context, android.util.AttributeSet attrs) {
super(context, attrs);
setWillNotDraw(false);
}
public SizeNotifierRelativeLayout(android.content.Context context, android.util.AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
setWillNotDraw(false);
}
public void setBackgroundImage(int resourceId) {
try {
backgroundDrawable = getResources().getDrawable(resourceId);
} catch (Throwable e) {
FileLog.e("tmessages", e);
}
}
public void setBackgroundImage(Drawable bitmap) {
backgroundDrawable = bitmap;
}
public Drawable getBackgroundImage() {
return backgroundDrawable;
}
public void setDelegate(SizeNotifierRelativeLayoutDelegate delegate) {
this.delegate = delegate;
}
@SuppressLint("DrawAllocation")
@Override
protected void onLayout(boolean changed, int l, int t, int r, int b) {
super.onLayout(changed, l, t, r, b);
if (delegate != null) {
View rootView = this.getRootView();
int usableViewHeight = rootView.getHeight() - AndroidUtilities.statusBarHeight - AndroidUtilities.getViewInset(rootView);
this.getWindowVisibleDisplayFrame(rect);
keyboardHeight = usableViewHeight - (rect.bottom - rect.top);
final boolean isWidthGreater = AndroidUtilities.displaySize.x > AndroidUtilities.displaySize.y;
post(new Runnable() {
@Override
public void run() {
if (delegate != null) {
delegate.onSizeChanged(keyboardHeight, isWidthGreater);
}
}
});
}
}
@Override
protected void onDraw(Canvas canvas) {
if (backgroundDrawable != null) {
if (backgroundDrawable instanceof ColorDrawable) {
backgroundDrawable.setBounds(0, 0, getMeasuredWidth(), getMeasuredHeight());
backgroundDrawable.draw(canvas);
} else {
float scaleX = (float) getMeasuredWidth() / (float) backgroundDrawable.getIntrinsicWidth();
float scaleY = (float) (getMeasuredHeight() + keyboardHeight) / (float) backgroundDrawable.getIntrinsicHeight();
float scale = scaleX < scaleY ? scaleY : scaleX;
int width = (int) Math.ceil(backgroundDrawable.getIntrinsicWidth() * scale);
int height = (int) Math.ceil(backgroundDrawable.getIntrinsicHeight() * scale);
int x = (getMeasuredWidth() - width) / 2;
int y = (getMeasuredHeight() - height + keyboardHeight) / 2;
backgroundDrawable.setBounds(x, y, x + width, y + height);
backgroundDrawable.draw(canvas);
}
} else {
super.onDraw(canvas);
}
}
}

View File

@ -19,9 +19,7 @@ import android.widget.FrameLayout;
import android.widget.GridView; import android.widget.GridView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController;
import org.telegram.android.NotificationCenter; import org.telegram.android.NotificationCenter;
import org.telegram.messenger.R;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.ui.Cells.StickerEmojiCell; import org.telegram.ui.Cells.StickerEmojiCell;
@ -32,9 +30,9 @@ public class StickersAlert extends AlertDialog implements NotificationCenter.Not
private ArrayList<TLRPC.Document> stickers; private ArrayList<TLRPC.Document> stickers;
private GridView gridView; private GridView gridView;
public StickersAlert(Context context, TLRPC.TL_stickerSet set, ArrayList<TLRPC.Document> arrayList) { public StickersAlert(Context context, TLRPC.TL_messages_stickerSet set) {
super(context); super(context);
stickers = arrayList; stickers = set.documents;
FrameLayout container = new FrameLayout(context) { FrameLayout container = new FrameLayout(context) {
@Override @Override
@ -50,11 +48,7 @@ public class StickersAlert extends AlertDialog implements NotificationCenter.Not
gridView.setVerticalScrollBarEnabled(false); gridView.setVerticalScrollBarEnabled(false);
container.addView(gridView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT)); container.addView(gridView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
if (set.id == -1) { setTitle(set.set.title);
setTitle(LocaleController.getString("GeniusStickerPackName", R.string.GeniusStickerPackName));
} else {
setTitle(set.title);
}
NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded); NotificationCenter.getInstance().addObserver(this, NotificationCenter.emojiDidLoaded);

View File

@ -33,6 +33,7 @@ import android.widget.Toast;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.FileLog;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.ui.ActionBar.BottomSheet; import org.telegram.ui.ActionBar.BottomSheet;
@ -106,13 +107,17 @@ public class WebFrameLayout extends FrameLayout {
textView.setOnClickListener(new OnClickListener() { textView.setOnClickListener(new OnClickListener() {
@Override @Override
public void onClick(View v) { public void onClick(View v) {
if (Build.VERSION.SDK_INT < 11) { try {
android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE); if (Build.VERSION.SDK_INT < 11) {
clipboard.setText(openUrl); android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
} else { clipboard.setText(openUrl);
android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE); } else {
android.content.ClipData clip = android.content.ClipData.newPlainText("label", openUrl); android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
clipboard.setPrimaryClip(clip); android.content.ClipData clip = android.content.ClipData.newPlainText("label", openUrl);
clipboard.setPrimaryClip(clip);
}
} catch (Exception e) {
FileLog.e("tmessages", e);
} }
Toast.makeText(getContext(), LocaleController.getString("LinkCopied", R.string.LinkCopied), Toast.LENGTH_SHORT).show(); Toast.makeText(getContext(), LocaleController.getString("LinkCopied", R.string.LinkCopied), Toast.LENGTH_SHORT).show();
if (dialog != null) { if (dialog != null) {
@ -127,6 +132,7 @@ public class WebFrameLayout extends FrameLayout {
webView = new WebView(context); webView = new WebView(context);
webView.getSettings().setJavaScriptEnabled(true); webView.getSettings().setJavaScriptEnabled(true);
webView.getSettings().setDomStorageEnabled(true);
String userAgent = webView.getSettings().getUserAgentString(); String userAgent = webView.getSettings().getUserAgentString();
if (userAgent != null) { if (userAgent != null) {
userAgent = userAgent.replace("Android", ""); userAgent = userAgent.replace("Android", "");
@ -205,11 +211,20 @@ public class WebFrameLayout extends FrameLayout {
}); });
parentDialog.setDelegate(new BottomSheet.BottomSheetDelegate() { parentDialog.setDelegate(new BottomSheet.BottomSheetDelegate() {
@Override
public void onOpenAnimationStart() {
}
@Override @Override
public void onOpenAnimationEnd() { public void onOpenAnimationEnd() {
HashMap<String, String> args = new HashMap<>(); HashMap<String, String> args = new HashMap<>();
args.put("Referer", "http://youtube.com"); args.put("Referer", "http://youtube.com");
webView.loadUrl(url, args); try {
webView.loadUrl(url, args);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} }
}); });
} }

View File

@ -15,7 +15,9 @@ import android.content.Intent;
import android.net.Uri; import android.net.Uri;
import android.os.Build; import android.os.Build;
import android.os.Bundle; import android.os.Bundle;
import android.text.Editable;
import android.text.InputType; import android.text.InputType;
import android.text.TextWatcher;
import android.util.TypedValue; import android.util.TypedValue;
import android.view.Gravity; import android.view.Gravity;
import android.view.LayoutInflater; import android.view.LayoutInflater;
@ -30,17 +32,20 @@ import android.widget.FrameLayout;
import android.widget.LinearLayout; import android.widget.LinearLayout;
import android.widget.ListView; import android.widget.ListView;
import android.widget.TextView; import android.widget.TextView;
import android.widget.Toast;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessagesStorage; import org.telegram.android.MessagesStorage;
import org.telegram.android.SecretChatHelper; import org.telegram.android.SecretChatHelper;
import org.telegram.android.UserObject;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.android.ContactsController; import org.telegram.android.ContactsController;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.NotificationCenter; import org.telegram.android.NotificationCenter;
import org.telegram.messenger.R; import org.telegram.messenger.R;
import org.telegram.messenger.Utilities;
import org.telegram.ui.Adapters.BaseSectionsAdapter; import org.telegram.ui.Adapters.BaseSectionsAdapter;
import org.telegram.ui.Adapters.ContactsAdapter; import org.telegram.ui.Adapters.ContactsAdapter;
import org.telegram.ui.Adapters.SearchAdapter; import org.telegram.ui.Adapters.SearchAdapter;
@ -158,7 +163,7 @@ public class ContactsActivity extends BaseFragment implements NotificationCenter
} }
@Override @Override
public boolean onSearchCollapse() { public void onSearchCollapse() {
searchListViewAdapter.searchDialogs(null); searchListViewAdapter.searchDialogs(null);
searching = false; searching = false;
searchWas = false; searchWas = false;
@ -170,7 +175,6 @@ public class ContactsActivity extends BaseFragment implements NotificationCenter
listView.setFastScrollEnabled(true); listView.setFastScrollEnabled(true);
listView.setVerticalScrollBarEnabled(false); listView.setVerticalScrollBarEnabled(false);
emptyTextView.setText(LocaleController.getString("NoContacts", R.string.NoContacts)); emptyTextView.setText(LocaleController.getString("NoContacts", R.string.NoContacts));
return true;
} }
@Override @Override
@ -407,36 +411,87 @@ public class ContactsActivity extends BaseFragment implements NotificationCenter
if (getParentActivity() == null) { if (getParentActivity() == null) {
return; return;
} }
if ((user.flags & TLRPC.USER_FLAG_BOT) != 0 && (user.flags & TLRPC.USER_FLAG_BOT_CANT_JOIN_GROUP) != 0) {
try {
Toast.makeText(getParentActivity(), LocaleController.getString("BotCantJoinGroups", R.string.BotCantJoinGroups), Toast.LENGTH_SHORT).show();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
return;
}
AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity()); AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity());
builder.setTitle(LocaleController.getString("AppName", R.string.AppName)); builder.setTitle(LocaleController.getString("AppName", R.string.AppName));
builder.setMessage(LocaleController.formatStringSimple(selectAlertString, ContactsController.formatName(user.first_name, user.last_name))); String message = LocaleController.formatStringSimple(selectAlertString, UserObject.getUserName(user));
final EditText editText = new EditText(getParentActivity()); EditText editText = null;
if (android.os.Build.VERSION.SDK_INT < 11) { if ((user.flags & TLRPC.USER_FLAG_BOT) == 0) {
editText.setBackgroundResource(android.R.drawable.editbox_background_normal); message = String.format("%s\n\n%s", message, LocaleController.getString("AddToTheGroupForwardCount", R.string.AddToTheGroupForwardCount));
editText = new EditText(getParentActivity());
if (android.os.Build.VERSION.SDK_INT < 11) {
editText.setBackgroundResource(android.R.drawable.editbox_background_normal);
}
editText.setTextSize(18);
editText.setText("50");
editText.setGravity(Gravity.CENTER);
editText.setInputType(InputType.TYPE_CLASS_NUMBER);
editText.setImeOptions(EditorInfo.IME_ACTION_DONE);
final EditText editTextFinal = editText;
editText.addTextChangedListener(new TextWatcher() {
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
}
@Override
public void afterTextChanged(Editable s) {
try {
String str = s.toString();
if (str.length() != 0) {
int value = Utilities.parseInt(str);
if (value < 0) {
editTextFinal.setText("0");
editTextFinal.setSelection(editTextFinal.length());
} else if (value > 300) {
editTextFinal.setText("300");
editTextFinal.setSelection(editTextFinal.length());
} else if (!str.equals("" + value)) {
editTextFinal.setText("" + value);
editTextFinal.setSelection(editTextFinal.length());
}
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
});
builder.setView(editText);
} }
editText.setTextSize(18); builder.setMessage(message);
editText.setText("50"); final EditText finalEditText = editText;
editText.setGravity(Gravity.CENTER);
editText.setInputType(InputType.TYPE_CLASS_NUMBER);
editText.setImeOptions(EditorInfo.IME_ACTION_DONE);
builder.setView(editText);
builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() { builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() {
@Override @Override
public void onClick(DialogInterface dialogInterface, int i) { public void onClick(DialogInterface dialogInterface, int i) {
didSelectResult(user, false, editText.getText().toString()); didSelectResult(user, false, finalEditText != null ? finalEditText.getText().toString() : "0");
} }
}); });
builder.setNegativeButton(LocaleController.getString("Cancel", R.string.Cancel), null); builder.setNegativeButton(LocaleController.getString("Cancel", R.string.Cancel), null);
showDialog(builder.create()); showDialog(builder.create());
ViewGroup.MarginLayoutParams layoutParams = (ViewGroup.MarginLayoutParams)editText.getLayoutParams(); if (editText != null) {
if (layoutParams != null) { ViewGroup.MarginLayoutParams layoutParams = (ViewGroup.MarginLayoutParams) editText.getLayoutParams();
if (layoutParams instanceof FrameLayout.LayoutParams) { if (layoutParams != null) {
((FrameLayout.LayoutParams)layoutParams).gravity = Gravity.CENTER_HORIZONTAL; if (layoutParams instanceof FrameLayout.LayoutParams) {
((FrameLayout.LayoutParams) layoutParams).gravity = Gravity.CENTER_HORIZONTAL;
}
layoutParams.rightMargin = layoutParams.leftMargin = AndroidUtilities.dp(10);
editText.setLayoutParams(layoutParams);
} }
layoutParams.rightMargin = layoutParams.leftMargin = AndroidUtilities.dp(10); editText.setSelection(editText.getText().length());
editText.setLayoutParams(layoutParams);
} }
editText.setSelection(editText.getText().length());
} else { } else {
if (delegate != null) { if (delegate != null) {
delegate.didSelectContact(user, param); delegate.didSelectContact(user, param);

View File

@ -84,7 +84,7 @@ public class CountrySelectActivity extends BaseFragment {
} }
@Override @Override
public boolean onSearchCollapse() { public void onSearchCollapse() {
searchListViewAdapter.search(null); searchListViewAdapter.search(null);
searching = false; searching = false;
searchWas = false; searchWas = false;
@ -96,8 +96,6 @@ public class CountrySelectActivity extends BaseFragment {
listView.setVerticalScrollBarEnabled(false); listView.setVerticalScrollBarEnabled(false);
emptyTextView.setText(LocaleController.getString("ChooseCountry", R.string.ChooseCountry)); emptyTextView.setText(LocaleController.getString("ChooseCountry", R.string.ChooseCountry));
return true;
} }
@Override @Override

View File

@ -41,9 +41,9 @@ import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.TLRPC; import org.telegram.messenger.TLRPC;
import org.telegram.android.ContactsController;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.NotificationCenter; import org.telegram.android.NotificationCenter;
@ -506,7 +506,7 @@ public class GroupCreateActivity extends BaseFragment implements NotificationCen
LayoutInflater lf = (LayoutInflater) ApplicationLoader.applicationContext.getSystemService(Activity.LAYOUT_INFLATER_SERVICE); LayoutInflater lf = (LayoutInflater) ApplicationLoader.applicationContext.getSystemService(Activity.LAYOUT_INFLATER_SERVICE);
View textView = lf.inflate(R.layout.group_create_bubble, null); View textView = lf.inflate(R.layout.group_create_bubble, null);
TextView text = (TextView)textView.findViewById(R.id.bubble_text_view); TextView text = (TextView)textView.findViewById(R.id.bubble_text_view);
String name = ContactsController.formatName(user.first_name, user.last_name); String name = UserObject.getUserName(user);
if (name.length() == 0 && user.phone != null && user.phone.length() != 0) { if (name.length() == 0 && user.phone != null && user.phone.length() != 0) {
name = PhoneFormat.getInstance().format("+" + user.phone); name = PhoneFormat.getInstance().format("+" + user.phone);
} }

View File

@ -97,12 +97,10 @@ public class IdenticonActivity extends BaseFragment {
obs.addOnPreDrawListener(new ViewTreeObserver.OnPreDrawListener() { obs.addOnPreDrawListener(new ViewTreeObserver.OnPreDrawListener() {
@Override @Override
public boolean onPreDraw() { public boolean onPreDraw() {
if (fragmentView != null) { if (fragmentView == null) {
fragmentView.getViewTreeObserver().removeOnPreDrawListener(this);
}
if (getParentActivity() == null || fragmentView == null) {
return true; return true;
} }
fragmentView.getViewTreeObserver().removeOnPreDrawListener(this);
LinearLayout layout = (LinearLayout)fragmentView; LinearLayout layout = (LinearLayout)fragmentView;
WindowManager manager = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Context.WINDOW_SERVICE); WindowManager manager = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Context.WINDOW_SERVICE);
int rotation = manager.getDefaultDisplay().getRotation(); int rotation = manager.getDefaultDisplay().getRotation();
@ -114,7 +112,7 @@ public class IdenticonActivity extends BaseFragment {
} }
fragmentView.setPadding(fragmentView.getPaddingLeft(), 0, fragmentView.getPaddingRight(), fragmentView.getPaddingBottom()); fragmentView.setPadding(fragmentView.getPaddingLeft(), 0, fragmentView.getPaddingRight(), fragmentView.getPaddingBottom());
return false; return true;
} }
}); });
} }

View File

@ -78,7 +78,7 @@ public class LanguageSelectActivity extends BaseFragment {
} }
@Override @Override
public boolean onSearchCollapse() { public void onSearchCollapse() {
search(null); search(null);
searching = false; searching = false;
searchWas = false; searchWas = false;
@ -86,8 +86,6 @@ public class LanguageSelectActivity extends BaseFragment {
emptyTextView.setVisibility(View.GONE); emptyTextView.setVisibility(View.GONE);
listView.setAdapter(listAdapter); listView.setAdapter(listAdapter);
} }
return true;
} }
@Override @Override

View File

@ -45,6 +45,7 @@ import org.telegram.android.ContactsController;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.android.MessagesStorage; import org.telegram.android.MessagesStorage;
import org.telegram.android.SendMessagesHelper; import org.telegram.android.SendMessagesHelper;
import org.telegram.android.UserObject;
import org.telegram.android.query.StickersQuery; import org.telegram.android.query.StickersQuery;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
@ -70,6 +71,7 @@ import java.util.ArrayList;
import java.util.Map; import java.util.Map;
public class LaunchActivity extends Activity implements ActionBarLayout.ActionBarLayoutDelegate, NotificationCenter.NotificationCenterDelegate, MessagesActivity.MessagesActivityDelegate { public class LaunchActivity extends Activity implements ActionBarLayout.ActionBarLayoutDelegate, NotificationCenter.NotificationCenterDelegate, MessagesActivity.MessagesActivityDelegate {
private boolean finished; private boolean finished;
private String videoPath; private String videoPath;
private String sendingText; private String sendingText;
@ -414,6 +416,10 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
drawerLayoutContainer.setAllowOpenDrawer(allowOpen, false); drawerLayoutContainer.setAllowOpenDrawer(allowOpen, false);
} }
/*if (BuildVars.DEBUG_VERSION) {
ViewServer.get(this).addWindow(this);
}*/
handleIntent(getIntent(), false, savedInstanceState != null, false); handleIntent(getIntent(), false, savedInstanceState != null, false);
needLayout(); needLayout();
} }
@ -543,7 +549,7 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
if (name != null && !phones.isEmpty()) { if (name != null && !phones.isEmpty()) {
contactsToSend = new ArrayList<>(); contactsToSend = new ArrayList<>();
for (String phone : phones) { for (String phone : phones) {
TLRPC.User user = new TLRPC.TL_userContact(); TLRPC.User user = new TLRPC.TL_userContact_old2();
user.phone = phone; user.phone = phone;
user.first_name = name; user.first_name = name;
user.last_name = ""; user.last_name = "";
@ -571,9 +577,6 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
text = subject + "\n" + text; text = subject + "\n" + text;
} }
sendingText = text; sendingText = text;
if (sendingText.contains("WhatsApp")) { //who needs this sent from ...?
sendingText = null;
}
} else { } else {
error = true; error = true;
} }
@ -615,6 +618,11 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
documentsMimeType = type; documentsMimeType = type;
} }
} }
if (sendingText != null) {
if (sendingText.contains("WhatsApp")) { //who needs this sent from ...?
sendingText = null;
}
}
} else if (sendingText == null) { } else if (sendingText == null) {
error = true; error = true;
} }
@ -678,6 +686,8 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
String username = null; String username = null;
String group = null; String group = null;
String sticker = null; String sticker = null;
String botUser = null;
String botChat = null;
String scheme = data.getScheme(); String scheme = data.getScheme();
if (scheme != null) { if (scheme != null) {
if ((scheme.equals("http") || scheme.equals("https"))) { if ((scheme.equals("http") || scheme.equals("https"))) {
@ -691,7 +701,9 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
} else if (path.startsWith("addstickers/")) { } else if (path.startsWith("addstickers/")) {
sticker = path.replace("addstickers/", ""); sticker = path.replace("addstickers/", "");
} else { } else {
username = path; username = data.getLastPathSegment();
botUser = data.getQueryParameter("start");
botChat = data.getQueryParameter("startgroup");
} }
} }
} }
@ -701,6 +713,8 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
url = url.replace("tg:resolve", "tg://telegram.org").replace("tg://resolve", "tg://telegram.org"); url = url.replace("tg:resolve", "tg://telegram.org").replace("tg://resolve", "tg://telegram.org");
data = Uri.parse(url); data = Uri.parse(url);
username = data.getQueryParameter("domain"); username = data.getQueryParameter("domain");
botUser = data.getQueryParameter("start");
botChat = data.getQueryParameter("startgroup");
} else if (url.startsWith("tg:join") || url.startsWith("tg://join")) { } else if (url.startsWith("tg:join") || url.startsWith("tg://join")) {
url = url.replace("tg:join", "tg://telegram.org").replace("tg://join", "tg://telegram.org"); url = url.replace("tg:join", "tg://telegram.org").replace("tg://join", "tg://telegram.org");
data = Uri.parse(url); data = Uri.parse(url);
@ -713,7 +727,7 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
} }
} }
if (username != null || group != null || sticker != null) { if (username != null || group != null || sticker != null) {
runLinkRequest(username, group, sticker, 0); runLinkRequest(username, group, sticker, botUser, botChat, 0);
} else { } else {
try { try {
Cursor cursor = getContentResolver().query(intent.getData(), null, null, null, null); Cursor cursor = getContentResolver().query(intent.getData(), null, null, null, null);
@ -865,7 +879,7 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
return false; return false;
} }
private void runLinkRequest(final String username, final String group, final String sticker, final int state) { private void runLinkRequest(final String username, final String group, final String sticker, final String botUser, final String botChat, final int state) {
final ProgressDialog progressDialog = new ProgressDialog(this); final ProgressDialog progressDialog = new ProgressDialog(this);
progressDialog.setMessage(LocaleController.getString("Loading", R.string.Loading)); progressDialog.setMessage(LocaleController.getString("Loading", R.string.Loading));
progressDialog.setCanceledOnTouchOutside(false); progressDialog.setCanceledOnTouchOutside(false);
@ -888,16 +902,53 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
if (error == null && actionBarLayout != null) { if (error == null && actionBarLayout != null) {
TLRPC.User user = (TLRPC.User) response; final TLRPC.User user = (TLRPC.User) response;
MessagesController.getInstance().putUser(user, false); MessagesController.getInstance().putUser(user, false);
ArrayList<TLRPC.User> users = new ArrayList<>(); ArrayList<TLRPC.User> users = new ArrayList<>();
users.add(user); users.add(user);
MessagesStorage.getInstance().putUsersAndChats(users, null, false, true); MessagesStorage.getInstance().putUsersAndChats(users, null, false, true);
Bundle args = new Bundle(); if (botChat != null) {
args.putInt("user_id", user.id); if ((user.flags & TLRPC.USER_FLAG_BOT) != 0 && (user.flags & TLRPC.USER_FLAG_BOT_CANT_JOIN_GROUP) != 0) {
ChatActivity fragment = new ChatActivity(args); try {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.closeChats); Toast.makeText(LaunchActivity.this, LocaleController.getString("BotCantJoinGroups", R.string.BotCantJoinGroups), Toast.LENGTH_SHORT).show();
actionBarLayout.presentFragment(fragment, false, true, true); } catch (Exception e) {
FileLog.e("tmessages", e);
}
return;
}
Bundle args = new Bundle();
args.putBoolean("onlySelect", true);
args.putInt("dialogsType", 2);
args.putString("addToGroupAlertString", LocaleController.formatString("AddToTheGroupTitle", R.string.AddToTheGroupTitle, UserObject.getUserName(user), "%1$s"));
MessagesActivity fragment = new MessagesActivity(args);
fragment.setDelegate(new MessagesActivity.MessagesActivityDelegate() {
@Override
public void didSelectDialog(MessagesActivity fragment, long did, boolean param) {
NotificationCenter.getInstance().postNotificationName(NotificationCenter.closeChats);
MessagesController.getInstance().addUserToChat(-(int) did, user, null, 0, botChat);
Bundle args = new Bundle();
args.putBoolean("scrollToTopOnResume", true);
args.putInt("chat_id", -(int) did);
actionBarLayout.presentFragment(new ChatActivity(args), true, false, true);
}
});
presentFragment(fragment);
} else {
Bundle args = new Bundle();
args.putInt("user_id", user.id);
if (botUser != null) {
args.putString("botUser", botUser);
}
ChatActivity fragment = new ChatActivity(args);
NotificationCenter.getInstance().postNotificationName(NotificationCenter.closeChats);
actionBarLayout.presentFragment(fragment, false, true, true);
}
} else {
try {
Toast.makeText(LaunchActivity.this, LocaleController.getString("NoUsernameFound", R.string.NoUsernameFound), Toast.LENGTH_SHORT).show();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} }
} }
} }
@ -939,7 +990,7 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() { builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() {
@Override @Override
public void onClick(DialogInterface dialogInterface, int i) { public void onClick(DialogInterface dialogInterface, int i) {
runLinkRequest(username, group, sticker, 1); runLinkRequest(username, group, sticker, botUser, botChat, 1);
} }
}); });
builder.setNegativeButton(LocaleController.getString("Cancel", R.string.Cancel), null); builder.setNegativeButton(LocaleController.getString("Cancel", R.string.Cancel), null);
@ -1107,12 +1158,13 @@ public class LaunchActivity extends Activity implements ActionBarLayout.ActionBa
SendMessagesHelper.prepareSendingVideo(videoPath, 0, 0, 0, 0, null, dialog_id, null); SendMessagesHelper.prepareSendingVideo(videoPath, 0, 0, 0, 0, null, dialog_id, null);
} }
} else { } else {
actionBarLayout.presentFragment(fragment, true);
if (sendingText != null) { if (sendingText != null) {
SendMessagesHelper.prepareSendingText(sendingText, dialog_id); SendMessagesHelper.prepareSendingText(sendingText, dialog_id);
} }
actionBarLayout.presentFragment(fragment, true);
if (photoPathsArray != null) { if (photoPathsArray != null) {
SendMessagesHelper.prepareSendingPhotos(null, photoPathsArray, dialog_id, null, null); SendMessagesHelper.prepareSendingPhotos(null, photoPathsArray, dialog_id, null, null);
} }

View File

@ -24,6 +24,7 @@ import android.view.Gravity;
import android.view.LayoutInflater; import android.view.LayoutInflater;
import android.view.MotionEvent; import android.view.MotionEvent;
import android.view.View; import android.view.View;
import android.view.ViewGroup;
import android.view.ViewOutlineProvider; import android.view.ViewOutlineProvider;
import android.view.WindowManager; import android.view.WindowManager;
import android.widget.AbsListView; import android.widget.AbsListView;
@ -47,7 +48,7 @@ import com.google.android.gms.maps.model.LatLng;
import com.google.android.gms.maps.model.MarkerOptions; import com.google.android.gms.maps.model.MarkerOptions;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController; import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
@ -212,7 +213,7 @@ public class LocationActivity extends BaseFragment implements NotificationCenter
} }
@Override @Override
public boolean onSearchCollapse() { public void onSearchCollapse() {
searching = false; searching = false;
searchWas = false; searchWas = false;
searchListView.setEmptyView(null); searchListView.setEmptyView(null);
@ -221,7 +222,6 @@ public class LocationActivity extends BaseFragment implements NotificationCenter
searchListView.setVisibility(View.GONE); searchListView.setVisibility(View.GONE);
emptyTextLayout.setVisibility(View.GONE); emptyTextLayout.setVisibility(View.GONE);
searchAdapter.searchDelayed(null, null); searchAdapter.searchDelayed(null, null);
return true;
} }
@Override @Override
@ -618,6 +618,14 @@ public class LocationActivity extends BaseFragment implements NotificationCenter
@Override @Override
public void onOpenAnimationEnd() { public void onOpenAnimationEnd() {
try {
if (mapView.getParent() instanceof ViewGroup) {
ViewGroup viewGroup = (ViewGroup) mapView.getParent();
viewGroup.removeView(mapView);
}
} catch (Exception e) {
FileLog.e("tmessages", e);
}
if (mapViewClip != null) { if (mapViewClip != null) {
mapViewClip.addView(mapView, 0, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, overScrollHeight + AndroidUtilities.dp(10), Gravity.TOP | Gravity.LEFT)); mapViewClip.addView(mapView, 0, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, overScrollHeight + AndroidUtilities.dp(10), Gravity.TOP | Gravity.LEFT));
updateClipView(listView.getFirstVisiblePosition()); updateClipView(listView.getFirstVisiblePosition());
@ -759,7 +767,7 @@ public class LocationActivity extends BaseFragment implements NotificationCenter
photo = user.photo.photo_small; photo = user.photo.photo_small;
} }
avatarImageView.setImage(photo, null, new AvatarDrawable(user)); avatarImageView.setImage(photo, null, new AvatarDrawable(user));
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); nameTextView.setText(UserObject.getUserName(user));
} else { } else {
avatarImageView.setImageDrawable(null); avatarImageView.setImageDrawable(null);
} }

View File

@ -631,7 +631,7 @@ public class LoginActivity extends BaseFragment {
}); });
textView = new TextView(context); textView = new TextView(context);
textView.setText(LocaleController.getString("ChangePhoneHelp", R.string.ChangePhoneHelp)); textView.setText(LocaleController.getString("StartText", R.string.StartText));
textView.setTextColor(0xff757575); textView.setTextColor(0xff757575);
textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 14); textView.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 14);
textView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT); textView.setGravity(LocaleController.isRTL ? Gravity.RIGHT : Gravity.LEFT);
@ -2137,14 +2137,13 @@ public class LoginActivity extends BaseFragment {
needHideProgress(); needHideProgress();
if (error == null) { if (error == null) {
final TLRPC.TL_auth_authorization res = (TLRPC.TL_auth_authorization) response; final TLRPC.TL_auth_authorization res = (TLRPC.TL_auth_authorization) response;
TLRPC.TL_userSelf user = (TLRPC.TL_userSelf) res.user;
UserConfig.clearConfig(); UserConfig.clearConfig();
MessagesController.getInstance().cleanUp(); MessagesController.getInstance().cleanUp();
UserConfig.setCurrentUser(user); UserConfig.setCurrentUser(res.user);
UserConfig.saveConfig(true); UserConfig.saveConfig(true);
MessagesStorage.getInstance().cleanUp(true); MessagesStorage.getInstance().cleanUp(true);
ArrayList<TLRPC.User> users = new ArrayList<>(); ArrayList<TLRPC.User> users = new ArrayList<>();
users.add(user); users.add(res.user);
MessagesStorage.getInstance().putUsersAndChats(users, null, true, true); MessagesStorage.getInstance().putUsersAndChats(users, null, true, true);
//MessagesController.getInstance().uploadAndApplyUserAvatar(avatarPhotoBig); //MessagesController.getInstance().uploadAndApplyUserAvatar(avatarPhotoBig);
MessagesController.getInstance().putUser(res.user, false); MessagesController.getInstance().putUser(res.user, false);

View File

@ -283,7 +283,7 @@ public class MediaActivity extends BaseFragment implements NotificationCenter.No
} else if (id == forward) { } else if (id == forward) {
Bundle args = new Bundle(); Bundle args = new Bundle();
args.putBoolean("onlySelect", true); args.putBoolean("onlySelect", true);
args.putBoolean("serverOnly", true); args.putInt("dialogsType", 1);
MessagesActivity fragment = new MessagesActivity(args); MessagesActivity fragment = new MessagesActivity(args);
fragment.setDelegate(new MessagesActivity.MessagesActivityDelegate() { fragment.setDelegate(new MessagesActivity.MessagesActivityDelegate() {
@Override @Override
@ -346,14 +346,12 @@ public class MediaActivity extends BaseFragment implements NotificationCenter.No
} }
@Override @Override
public boolean onSearchCollapse() { public void onSearchCollapse() {
dropDownContainer.setVisibility(View.VISIBLE); dropDownContainer.setVisibility(View.VISIBLE);
documentsSearchAdapter.searchDocuments(null); documentsSearchAdapter.searchDocuments(null);
searching = false; searching = false;
searchWas = false; searchWas = false;
switchToCurrentSelectedMode(); switchToCurrentSelectedMode();
return true;
} }
@Override @Override
@ -702,7 +700,7 @@ public class MediaActivity extends BaseFragment implements NotificationCenter.No
public boolean onPreDraw() { public boolean onPreDraw() {
listView.getViewTreeObserver().removeOnPreDrawListener(this); listView.getViewTreeObserver().removeOnPreDrawListener(this);
fixLayoutInternal(); fixLayoutInternal();
return false; return true;
} }
}); });
} }
@ -1246,7 +1244,10 @@ public class MediaActivity extends BaseFragment implements NotificationCenter.No
req.peer.chat_id = -uid; req.peer.chat_id = -uid;
} else { } else {
TLRPC.User user = MessagesController.getInstance().getUser(uid); TLRPC.User user = MessagesController.getInstance().getUser(uid);
if (user instanceof TLRPC.TL_userForeign || user instanceof TLRPC.TL_userRequest) { if (user == null) {
return;
}
if (user.access_hash != 0) {
req.peer = new TLRPC.TL_inputPeerForeign(); req.peer = new TLRPC.TL_inputPeerForeign();
req.peer.access_hash = user.access_hash; req.peer.access_hash = user.access_hash;
} else { } else {

View File

@ -37,6 +37,7 @@ import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessageObject; import org.telegram.android.MessageObject;
import org.telegram.android.UserObject;
import org.telegram.android.support.widget.LinearLayoutManager; import org.telegram.android.support.widget.LinearLayoutManager;
import org.telegram.android.support.widget.RecyclerView; import org.telegram.android.support.widget.RecyclerView;
import org.telegram.messenger.FileLog; import org.telegram.messenger.FileLog;
@ -86,7 +87,8 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
private String selectAlertString; private String selectAlertString;
private String selectAlertStringGroup; private String selectAlertStringGroup;
private boolean serverOnly; private String addToGroupAlertString;
private int dialogsType;
private static boolean dialogsLoaded; private static boolean dialogsLoaded;
private boolean searching; private boolean searching;
@ -112,9 +114,10 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
if (getArguments() != null) { if (getArguments() != null) {
onlySelect = arguments.getBoolean("onlySelect", false); onlySelect = arguments.getBoolean("onlySelect", false);
serverOnly = arguments.getBoolean("serverOnly", false); dialogsType = arguments.getInt("dialogsType", 0);
selectAlertString = arguments.getString("selectAlertString"); selectAlertString = arguments.getString("selectAlertString");
selectAlertStringGroup = arguments.getString("selectAlertStringGroup"); selectAlertStringGroup = arguments.getString("selectAlertStringGroup");
addToGroupAlertString = arguments.getString("addToGroupAlertString");
} }
if (searchString == null) { if (searchString == null) {
@ -180,8 +183,8 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
if (listView != null) { if (listView != null) {
if (searchString != null) { if (searchString != null) {
listView.setEmptyView(searchEmptyView); listView.setEmptyView(searchEmptyView);
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
} }
if (!onlySelect) { if (!onlySelect) {
floatingButton.setVisibility(View.GONE); floatingButton.setVisibility(View.GONE);
@ -191,20 +194,25 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} }
@Override @Override
public boolean onSearchCollapse() { public boolean canCollapseSearch() {
if (searchString != null) { if (searchString != null) {
finishFragment(); finishFragment();
return false; return false;
} }
return true;
}
@Override
public void onSearchCollapse() {
searching = false; searching = false;
searchWas = false; searchWas = false;
if (listView != null) { if (listView != null) {
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) { if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) {
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
listView.setEmptyView(progressView); listView.setEmptyView(progressView);
} else { } else {
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
listView.setEmptyView(emptyView); listView.setEmptyView(emptyView);
} }
if (!onlySelect) { if (!onlySelect) {
@ -219,10 +227,9 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} }
} }
if (dialogsSearchAdapter != null) { if (dialogsSearchAdapter != null) {
dialogsSearchAdapter.searchDialogs(null, false); dialogsSearchAdapter.searchDialogs(null, dialogsType);
} }
updatePasscodeButton(); updatePasscodeButton();
return true;
} }
@Override @Override
@ -235,14 +242,14 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
dialogsSearchAdapter.notifyDataSetChanged(); dialogsSearchAdapter.notifyDataSetChanged();
} }
if (searchEmptyView != null && listView.getEmptyView() != searchEmptyView) { if (searchEmptyView != null && listView.getEmptyView() != searchEmptyView) {
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
searchEmptyView.showTextView(); searchEmptyView.showTextView();
listView.setEmptyView(searchEmptyView); listView.setEmptyView(searchEmptyView);
} }
} }
if (dialogsSearchAdapter != null) { if (dialogsSearchAdapter != null) {
dialogsSearchAdapter.searchDialogs(text, serverOnly); dialogsSearchAdapter.searchDialogs(text, dialogsType);
} }
} }
}); });
@ -372,7 +379,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} }
} }
if (AndroidUtilities.isTablet()) { if (AndroidUtilities.isTablet()) {
if (openedDialogId == dialog_id) { if (openedDialogId == dialog_id && adapter != dialogsSearchAdapter) {
return; return;
} }
if (dialogsAdapter != null) { if (dialogsAdapter != null) {
@ -416,17 +423,11 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
return; return;
} }
TLRPC.TL_dialog dialog; TLRPC.TL_dialog dialog;
if (serverOnly) { ArrayList<TLRPC.TL_dialog> dialogs = getDialogsArray();
if (position < 0 || position >= MessagesController.getInstance().dialogsServerOnly.size()) { if (position < 0 || position >= dialogs.size()) {
return; return;
}
dialog = MessagesController.getInstance().dialogsServerOnly.get(position);
} else {
if (position < 0 || position >= MessagesController.getInstance().dialogs.size()) {
return;
}
dialog = MessagesController.getInstance().dialogs.get(position);
} }
dialog = dialogs.get(position);
selectedDialog = dialog.id; selectedDialog = dialog.id;
/*AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity()); /*AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity());
@ -487,14 +488,14 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
}); });
searchEmptyView = new EmptyTextProgressView(context); searchEmptyView = new EmptyTextProgressView(context);
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
searchEmptyView.setShowAtCenter(true); searchEmptyView.setShowAtCenter(true);
searchEmptyView.setText(LocaleController.getString("NoResult", R.string.NoResult)); searchEmptyView.setText(LocaleController.getString("NoResult", R.string.NoResult));
frameLayout.addView(searchEmptyView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT)); frameLayout.addView(searchEmptyView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
emptyView = new LinearLayout(context); emptyView = new LinearLayout(context);
emptyView.setOrientation(LinearLayout.VERTICAL); emptyView.setOrientation(LinearLayout.VERTICAL);
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
emptyView.setGravity(Gravity.CENTER); emptyView.setGravity(Gravity.CENTER);
frameLayout.addView(emptyView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT)); frameLayout.addView(emptyView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
emptyView.setOnTouchListener(new View.OnTouchListener() { emptyView.setOnTouchListener(new View.OnTouchListener() {
@ -525,7 +526,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
emptyView.addView(textView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT)); emptyView.addView(textView, LayoutHelper.createLinear(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT));
progressView = new ProgressBar(context); progressView = new ProgressBar(context);
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
frameLayout.addView(progressView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER)); frameLayout.addView(progressView, LayoutHelper.createFrame(LayoutHelper.WRAP_CONTENT, LayoutHelper.WRAP_CONTENT, Gravity.CENTER));
floatingButton = new ImageView(context); floatingButton = new ImageView(context);
@ -577,7 +578,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
return; return;
} }
if (visibleItemCount > 0) { if (visibleItemCount > 0) {
if (layoutManager.findLastVisibleItemPosition() == MessagesController.getInstance().dialogs.size() && !serverOnly || layoutManager.findLastVisibleItemPosition() == MessagesController.getInstance().dialogsServerOnly.size() && serverOnly) { if (layoutManager.findLastVisibleItemPosition() == getDialogsArray().size()) {
MessagesController.getInstance().loadDialogs(MessagesController.getInstance().dialogs.size(), MessagesController.getInstance().dialogsServerOnly.size(), 100, true); MessagesController.getInstance().loadDialogs(MessagesController.getInstance().dialogs.size(), MessagesController.getInstance().dialogsServerOnly.size(), 100, true);
} }
} }
@ -608,7 +609,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
}); });
if (searchString == null) { if (searchString == null) {
dialogsAdapter = new DialogsAdapter(context, serverOnly); dialogsAdapter = new DialogsAdapter(context, dialogsType);
if (AndroidUtilities.isTablet() && openedDialogId != 0) { if (AndroidUtilities.isTablet() && openedDialogId != 0) {
dialogsAdapter.setOpenedDialogId(openedDialogId); dialogsAdapter.setOpenedDialogId(openedDialogId);
} }
@ -635,12 +636,12 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
}); });
if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) { if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) {
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
listView.setEmptyView(progressView); listView.setEmptyView(progressView);
} else { } else {
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
listView.setEmptyView(emptyView); listView.setEmptyView(emptyView);
} }
if (searchString != null) { if (searchString != null) {
@ -699,16 +700,16 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
if (listView != null) { if (listView != null) {
try { try {
if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) { if (MessagesController.getInstance().loadingDialogs && MessagesController.getInstance().dialogs.isEmpty()) {
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
listView.setEmptyView(progressView); listView.setEmptyView(progressView);
} else { } else {
progressView.setVisibility(View.INVISIBLE); progressView.setVisibility(View.GONE);
if (searching && searchWas) { if (searching && searchWas) {
emptyView.setVisibility(View.INVISIBLE); emptyView.setVisibility(View.GONE);
listView.setEmptyView(searchEmptyView); listView.setEmptyView(searchEmptyView);
} else { } else {
searchEmptyView.setVisibility(View.INVISIBLE); searchEmptyView.setVisibility(View.GONE);
listView.setEmptyView(emptyView); listView.setEmptyView(emptyView);
} }
} }
@ -729,7 +730,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} else if (id == NotificationCenter.contactsDidLoaded) { } else if (id == NotificationCenter.contactsDidLoaded) {
updateVisibleRows(0); updateVisibleRows(0);
} else if (id == NotificationCenter.openedChatChanged) { } else if (id == NotificationCenter.openedChatChanged) {
if (!serverOnly && AndroidUtilities.isTablet()) { if (dialogsType == 0 && AndroidUtilities.isTablet()) {
boolean close = (Boolean) args[1]; boolean close = (Boolean) args[1];
long dialog_id = (Long) args[0]; long dialog_id = (Long) args[0];
if (close) { if (close) {
@ -753,6 +754,17 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} }
} }
private ArrayList<TLRPC.TL_dialog> getDialogsArray() {
if (dialogsType == 0) {
return MessagesController.getInstance().dialogs;
} else if (dialogsType == 1) {
return MessagesController.getInstance().dialogsServerOnly;
} else if (dialogsType == 2) {
return MessagesController.getInstance().dialogsGroupsOnly;
}
return null;
}
private void updatePasscodeButton() { private void updatePasscodeButton() {
if (passcodeItem == null) { if (passcodeItem == null) {
return; return;
@ -788,18 +800,20 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
for (int a = 0; a < count; a++) { for (int a = 0; a < count; a++) {
View child = listView.getChildAt(a); View child = listView.getChildAt(a);
if (child instanceof DialogCell) { if (child instanceof DialogCell) {
DialogCell cell = (DialogCell) child; if (listView.getAdapter() != dialogsSearchAdapter) {
if ((mask & MessagesController.UPDATE_MASK_NEW_MESSAGE) != 0) { DialogCell cell = (DialogCell) child;
cell.checkCurrentDialogIndex(); if ((mask & MessagesController.UPDATE_MASK_NEW_MESSAGE) != 0) {
if (!serverOnly && AndroidUtilities.isTablet()) { cell.checkCurrentDialogIndex();
cell.setDialogSelected(cell.getDialogId() == openedDialogId); if (dialogsType == 0 && AndroidUtilities.isTablet()) {
cell.setDialogSelected(cell.getDialogId() == openedDialogId);
}
} else if ((mask & MessagesController.UPDATE_MASK_SELECT_DIALOG) != 0) {
if (dialogsType == 0 && AndroidUtilities.isTablet()) {
cell.setDialogSelected(cell.getDialogId() == openedDialogId);
}
} else {
cell.update(mask);
} }
} else if ((mask & MessagesController.UPDATE_MASK_SELECT_DIALOG) != 0) {
if (!serverOnly && AndroidUtilities.isTablet()) {
cell.setDialogSelected(cell.getDialogId() == openedDialogId);
}
} else {
cell.update(mask);
} }
} else if (child instanceof UserCell) { } else if (child instanceof UserCell) {
((UserCell) child).update(mask); ((UserCell) child).update(mask);
@ -820,7 +834,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
} }
private void didSelectResult(final long dialog_id, boolean useAlert, final boolean param) { private void didSelectResult(final long dialog_id, boolean useAlert, final boolean param) {
if (useAlert && selectAlertString != null && selectAlertStringGroup != null) { if (useAlert && (selectAlertString != null && selectAlertStringGroup != null || addToGroupAlertString != null)) {
if (getParentActivity() == null) { if (getParentActivity() == null) {
return; return;
} }
@ -841,13 +855,17 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
if (user == null) { if (user == null) {
return; return;
} }
builder.setMessage(LocaleController.formatStringSimple(selectAlertString, ContactsController.formatName(user.first_name, user.last_name))); builder.setMessage(LocaleController.formatStringSimple(selectAlertString, UserObject.getUserName(user)));
} else if (lower_part < 0) { } else if (lower_part < 0) {
TLRPC.Chat chat = MessagesController.getInstance().getChat(-lower_part); TLRPC.Chat chat = MessagesController.getInstance().getChat(-lower_part);
if (chat == null) { if (chat == null) {
return; return;
} }
builder.setMessage(LocaleController.formatStringSimple(selectAlertStringGroup, chat.title)); if (addToGroupAlertString != null) {
builder.setMessage(LocaleController.formatStringSimple(addToGroupAlertString, chat.title));
} else {
builder.setMessage(LocaleController.formatStringSimple(selectAlertStringGroup, chat.title));
}
} }
} }
} else { } else {
@ -856,7 +874,7 @@ public class MessagesActivity extends BaseFragment implements NotificationCenter
if (user == null) { if (user == null) {
return; return;
} }
builder.setMessage(LocaleController.formatStringSimple(selectAlertString, ContactsController.formatName(user.first_name, user.last_name))); builder.setMessage(LocaleController.formatStringSimple(selectAlertString, UserObject.getUserName(user)));
} }
builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() { builder.setPositiveButton(LocaleController.getString("OK", R.string.OK), new DialogInterface.OnClickListener() {

View File

@ -89,6 +89,7 @@ public class NotificationsSettingsActivity extends BaseFragment implements Notif
private int otherSectionRow; private int otherSectionRow;
private int badgeNumberRow; private int badgeNumberRow;
private int pebbleAlertRow; private int pebbleAlertRow;
private int androidAutoAlertRow;
private int repeatRow; private int repeatRow;
private int resetSectionRow2; private int resetSectionRow2;
private int resetSectionRow; private int resetSectionRow;
@ -141,6 +142,7 @@ public class NotificationsSettingsActivity extends BaseFragment implements Notif
otherSectionRow2 = rowCount++; otherSectionRow2 = rowCount++;
otherSectionRow = rowCount++; otherSectionRow = rowCount++;
badgeNumberRow = rowCount++; badgeNumberRow = rowCount++;
androidAutoAlertRow = -1;
pebbleAlertRow = rowCount++; pebbleAlertRow = rowCount++;
repeatRow = rowCount++; repeatRow = rowCount++;
resetSectionRow2 = rowCount++; resetSectionRow2 = rowCount++;
@ -325,6 +327,12 @@ public class NotificationsSettingsActivity extends BaseFragment implements Notif
enabled = preferences.getBoolean("EnablePebbleNotifications", false); enabled = preferences.getBoolean("EnablePebbleNotifications", false);
editor.putBoolean("EnablePebbleNotifications", !enabled); editor.putBoolean("EnablePebbleNotifications", !enabled);
editor.commit(); editor.commit();
} else if (i == androidAutoAlertRow) {
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE);
SharedPreferences.Editor editor = preferences.edit();
enabled = preferences.getBoolean("EnableAutoNotifications", false);
editor.putBoolean("EnableAutoNotifications", !enabled);
editor.commit();
} else if (i == badgeNumberRow) { } else if (i == badgeNumberRow) {
SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE); SharedPreferences preferences = ApplicationLoader.applicationContext.getSharedPreferences("Notifications", Activity.MODE_PRIVATE);
SharedPreferences.Editor editor = preferences.edit(); SharedPreferences.Editor editor = preferences.edit();
@ -702,6 +710,8 @@ public class NotificationsSettingsActivity extends BaseFragment implements Notif
checkCell.setTextAndCheck(LocaleController.getString("ContactJoined", R.string.ContactJoined), preferences.getBoolean("EnableContactJoined", true), false); checkCell.setTextAndCheck(LocaleController.getString("ContactJoined", R.string.ContactJoined), preferences.getBoolean("EnableContactJoined", true), false);
} else if (i == pebbleAlertRow) { } else if (i == pebbleAlertRow) {
checkCell.setTextAndCheck(LocaleController.getString("Pebble", R.string.Pebble), preferences.getBoolean("EnablePebbleNotifications", false), true); checkCell.setTextAndCheck(LocaleController.getString("Pebble", R.string.Pebble), preferences.getBoolean("EnablePebbleNotifications", false), true);
} else if (i == androidAutoAlertRow) {
checkCell.setTextAndCheck("Android Auto", preferences.getBoolean("EnableAutoNotifications", false), true);
} else if (i == notificationsServiceRow) { } else if (i == notificationsServiceRow) {
checkCell.setTextAndCheck(LocaleController.getString("NotificationsService", R.string.NotificationsService), preferences.getBoolean("pushService", true), false); checkCell.setTextAndCheck(LocaleController.getString("NotificationsService", R.string.NotificationsService), preferences.getBoolean("pushService", true), false);
} else if (i == badgeNumberRow) { } else if (i == badgeNumberRow) {
@ -829,7 +839,7 @@ public class NotificationsSettingsActivity extends BaseFragment implements Notif
i == groupPreviewRow || i == inappSoundRow || i == inappVibrateRow || i == groupPreviewRow || i == inappSoundRow || i == inappVibrateRow ||
i == inappPreviewRow || i == contactJoinedRow || i == pebbleAlertRow || i == inappPreviewRow || i == contactJoinedRow || i == pebbleAlertRow ||
i == notificationsServiceRow || i == badgeNumberRow || i == inappPriorityRow || i == notificationsServiceRow || i == badgeNumberRow || i == inappPriorityRow ||
i == inchatSoundRow) { i == inchatSoundRow || i == androidAutoAlertRow) {
return 1; return 1;
} else if (i == messageLedRow || i == groupLedRow) { } else if (i == messageLedRow || i == groupLedRow) {
return 3; return 3;

View File

@ -456,7 +456,7 @@ public class PasscodeActivity extends BaseFragment implements NotificationCenter
public boolean onPreDraw() { public boolean onPreDraw() {
listView.getViewTreeObserver().removeOnPreDrawListener(this); listView.getViewTreeObserver().removeOnPreDrawListener(this);
fixLayoutInternal(); fixLayoutInternal();
return false; return true;
} }
}); });
} }

View File

@ -417,7 +417,7 @@ public class PhotoAlbumPickerActivity extends BaseFragment implements Notificati
if (listView != null) { if (listView != null) {
listView.getViewTreeObserver().removeOnPreDrawListener(this); listView.getViewTreeObserver().removeOnPreDrawListener(this);
} }
return false; return true;
} }
}); });
} }

View File

@ -184,7 +184,7 @@ public class PhotoPickerActivity extends BaseFragment implements NotificationCen
} }
@Override @Override
public boolean onSearchCollapse() { public boolean canCollapseSearch() {
finishFragment(); finishFragment();
return false; return false;
} }
@ -899,7 +899,7 @@ public class PhotoPickerActivity extends BaseFragment implements NotificationCen
if (listView != null) { if (listView != null) {
listView.getViewTreeObserver().removeOnPreDrawListener(this); listView.getViewTreeObserver().removeOnPreDrawListener(this);
} }
return false; return true;
} }
}); });
} }

View File

@ -42,14 +42,13 @@ import android.widget.AdapterView;
import android.widget.FrameLayout; import android.widget.FrameLayout;
import android.widget.ImageView; import android.widget.ImageView;
import android.widget.ListView; import android.widget.ListView;
import android.widget.RelativeLayout;
import android.widget.Scroller; import android.widget.Scroller;
import android.widget.TextView; import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController;
import org.telegram.android.ImageLoader; import org.telegram.android.ImageLoader;
import org.telegram.android.MessagesStorage; import org.telegram.android.MessagesStorage;
import org.telegram.android.UserObject;
import org.telegram.android.query.SharedMediaQuery; import org.telegram.android.query.SharedMediaQuery;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
@ -81,7 +80,7 @@ import org.telegram.ui.Components.PhotoCropView;
import org.telegram.ui.Components.PhotoFilterView; import org.telegram.ui.Components.PhotoFilterView;
import org.telegram.ui.Components.PhotoPickerBottomLayout; import org.telegram.ui.Components.PhotoPickerBottomLayout;
import org.telegram.ui.Components.PhotoViewerCaptionEnterView; import org.telegram.ui.Components.PhotoViewerCaptionEnterView;
import org.telegram.ui.Components.SizeNotifierRelativeLayoutPhoto; import org.telegram.ui.Components.SizeNotifierFrameLayoutPhoto;
import java.io.File; import java.io.File;
import java.lang.ref.WeakReference; import java.lang.ref.WeakReference;
@ -515,36 +514,114 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
} }
private class FrameLayoutDrawer extends SizeNotifierRelativeLayoutPhoto { private class FrameLayoutDrawer extends SizeNotifierFrameLayoutPhoto {
public FrameLayoutDrawer(Context context) { public FrameLayoutDrawer(Context context) {
super(context); super(context);
setWillNotDraw(false); setWillNotDraw(false);
} }
@Override @Override
protected void onDraw(Canvas canvas) { protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
getInstance().onDraw(canvas); int widthMode = MeasureSpec.getMode(widthMeasureSpec);
int heightMode = MeasureSpec.getMode(heightMeasureSpec);
int widthSize = MeasureSpec.getSize(widthMeasureSpec);
int heightSize = MeasureSpec.getSize(heightMeasureSpec);
setMeasuredDimension(widthSize, heightSize);
int childCount = getChildCount();
for (int i = 0; i < childCount; i++) {
View child = getChildAt(i);
if (child.getVisibility() == GONE) {
continue;
}
if (captionEditText.isPopupView(child)) {
child.measure(MeasureSpec.makeMeasureSpec(widthSize, MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(child.getLayoutParams().height, MeasureSpec.EXACTLY));
} else {
measureChildWithMargins(child, widthMeasureSpec, 0, heightMeasureSpec, 0);
}
}
} }
@Override @Override
protected boolean drawChild(Canvas canvas, View child, long drawingTime) { protected void onLayout(boolean changed, int l, int t, int r, int b) {
if ((child == captionEditText || child == pickerView || child == captionTextView || child == mentionListView)) { final int count = getChildCount();
int state = captionEditText.getKeyboardTransitionState();
if (!(state == 0 || state == 1 || state == 2)) { int paddingBottom = getKeyboardHeight() <= AndroidUtilities.dp(20) ? captionEditText.getEmojiPadding() : 0;
if (child == captionTextView) {
AndroidUtilities.runOnUIThread(new Runnable() { for (int i = 0; i < count; i++) {
@Override final View child = getChildAt(i);
public void run() { if (child.getVisibility() == GONE) {
if (captionTextView != null) { continue;
captionTextView.invalidate();
}
}
}, 50);
}
return false;
} }
final LayoutParams lp = (LayoutParams) child.getLayoutParams();
final int width = child.getMeasuredWidth();
final int height = child.getMeasuredHeight();
int childLeft;
int childTop;
int gravity = lp.gravity;
if (gravity == -1) {
gravity = Gravity.TOP | Gravity.LEFT;
}
final int absoluteGravity = gravity & Gravity.HORIZONTAL_GRAVITY_MASK;
final int verticalGravity = gravity & Gravity.VERTICAL_GRAVITY_MASK;
switch (absoluteGravity & Gravity.HORIZONTAL_GRAVITY_MASK) {
case Gravity.CENTER_HORIZONTAL:
childLeft = (r - l - width) / 2 + lp.leftMargin - lp.rightMargin;
break;
case Gravity.RIGHT:
childLeft = r - width - lp.rightMargin;
break;
case Gravity.LEFT:
default:
childLeft = lp.leftMargin;
}
switch (verticalGravity) {
case Gravity.TOP:
childTop = lp.topMargin;
break;
case Gravity.CENTER_VERTICAL:
childTop = ((b - paddingBottom) - t - height) / 2 + lp.topMargin - lp.bottomMargin;
break;
case Gravity.BOTTOM:
childTop = ((b - paddingBottom) - t) - height - lp.bottomMargin;
break;
default:
childTop = lp.topMargin;
}
if (child == mentionListView) {
if (!captionEditText.isPopupShowing() && !captionEditText.isKeyboardVisible() && captionEditText.getEmojiPadding() == 0) {
childTop += AndroidUtilities.dp(400);
} else {
childTop -= captionEditText.getMeasuredHeight();
}
} else if (child == captionEditText) {
if (!captionEditText.isPopupShowing() && !captionEditText.isKeyboardVisible() && captionEditText.getEmojiPadding() == 0) {
childTop += AndroidUtilities.dp(400);
}
} else if (child == pickerView || child == captionTextViewNew || child == captionTextViewOld) {
if (captionEditText.isPopupShowing() || captionEditText.isKeyboardVisible()) {
childTop += AndroidUtilities.dp(400);
}
} else if (captionEditText.isPopupView(child)) {
childTop = captionEditText.getBottom();
}
child.layout(childLeft, childTop, childLeft + width, childTop + height);
} }
return super.drawChild(canvas, child, drawingTime);
notifyHeightChanged();
}
@Override
protected void onDraw(Canvas canvas) {
getInstance().onDraw(canvas);
} }
} }
@ -787,7 +864,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
@Override @Override
public boolean dispatchKeyEventPreIme(KeyEvent event) { public boolean dispatchKeyEventPreIme(KeyEvent event) {
if (event != null && event.getKeyCode() == KeyEvent.KEYCODE_BACK && event.getAction() == KeyEvent.ACTION_UP) { if (event != null && event.getKeyCode() == KeyEvent.KEYCODE_BACK && event.getAction() == KeyEvent.ACTION_UP) {
if (captionEditText.isEmojiPopupShowing() || captionEditText.isKeyboardVisible()) { if (captionEditText.isPopupShowing() || captionEditText.isKeyboardVisible()) {
closeCaptionEnter(false); closeCaptionEnter(false);
return false; return false;
} }
@ -822,13 +899,13 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
actionBar.setItemsBackground(R.drawable.bar_selector_white); actionBar.setItemsBackground(R.drawable.bar_selector_white);
actionBar.setBackButtonImage(R.drawable.ic_ab_back); actionBar.setBackButtonImage(R.drawable.ic_ab_back);
actionBar.setTitle(LocaleController.formatString("Of", R.string.Of, 1, 1)); actionBar.setTitle(LocaleController.formatString("Of", R.string.Of, 1, 1));
containerView.addView(actionBar, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT)); containerView.addView(actionBar, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT));
actionBar.setActionBarMenuOnItemClick(new ActionBar.ActionBarMenuOnItemClick() { actionBar.setActionBarMenuOnItemClick(new ActionBar.ActionBarMenuOnItemClick() {
@Override @Override
public void onItemClick(int id) { public void onItemClick(int id) {
if (id == -1) { if (id == -1) {
if (needCaptionLayout && (captionEditText.isEmojiPopupShowing() || captionEditText.isKeyboardVisible())) { if (needCaptionLayout && (captionEditText.isPopupShowing() || captionEditText.isKeyboardVisible())) {
closeCaptionEnter(false); closeCaptionEnter(false);
return; return;
} }
@ -991,6 +1068,12 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
checkImageView.setVisibility(View.GONE); checkImageView.setVisibility(View.GONE);
captionDoneItem.setVisibility(View.VISIBLE); captionDoneItem.setVisibility(View.VISIBLE);
pickerView.setVisibility(View.GONE); pickerView.setVisibility(View.GONE);
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) captionEditText.getLayoutParams();
layoutParams.bottomMargin = 0;
captionEditText.setLayoutParams(layoutParams);
layoutParams = (FrameLayout.LayoutParams) mentionListView.getLayoutParams();
layoutParams.bottomMargin = 0;
mentionListView.setLayoutParams(layoutParams);
captionTextView.clearAnimation(); captionTextView.clearAnimation();
captionTextView.setVisibility(View.INVISIBLE); captionTextView.setVisibility(View.INVISIBLE);
captionEditText.openKeyboard(); captionEditText.openKeyboard();
@ -1032,7 +1115,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
bottomLayout = new FrameLayout(parentActivity); bottomLayout = new FrameLayout(parentActivity);
bottomLayout.setBackgroundColor(0x7f000000); bottomLayout.setBackgroundColor(0x7f000000);
containerView.addView(bottomLayout, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, 48, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(bottomLayout, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 48, Gravity.BOTTOM | Gravity.LEFT));
captionTextViewOld = new TextView(parentActivity); captionTextViewOld = new TextView(parentActivity);
captionTextViewOld.setMaxLines(10); captionTextViewOld.setMaxLines(10);
@ -1043,7 +1126,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
captionTextViewOld.setGravity(Gravity.CENTER_VERTICAL | Gravity.LEFT); captionTextViewOld.setGravity(Gravity.CENTER_VERTICAL | Gravity.LEFT);
captionTextViewOld.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16); captionTextViewOld.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
captionTextViewOld.setVisibility(View.INVISIBLE); captionTextViewOld.setVisibility(View.INVISIBLE);
containerView.addView(captionTextViewOld, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, 0, 0, 0, 48, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(captionTextViewOld, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.BOTTOM | Gravity.LEFT, 0, 0, 0, 48));
captionTextView = captionTextViewNew = new TextView(parentActivity); captionTextView = captionTextViewNew = new TextView(parentActivity);
captionTextViewNew.setMaxLines(10); captionTextViewNew.setMaxLines(10);
@ -1054,7 +1137,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
captionTextViewNew.setGravity(Gravity.CENTER_VERTICAL | Gravity.LEFT); captionTextViewNew.setGravity(Gravity.CENTER_VERTICAL | Gravity.LEFT);
captionTextViewNew.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16); captionTextViewNew.setTextSize(TypedValue.COMPLEX_UNIT_DIP, 16);
captionTextViewNew.setVisibility(View.INVISIBLE); captionTextViewNew.setVisibility(View.INVISIBLE);
containerView.addView(captionTextViewNew, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, 0, 0, 0, 48, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(captionTextViewNew, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.BOTTOM | Gravity.LEFT, 0, 0, 0, 48));
radialProgressViews[0] = new RadialProgressView(containerView.getContext(), containerView); radialProgressViews[0] = new RadialProgressView(containerView.getContext(), containerView);
radialProgressViews[0].setBackgroundState(0, false); radialProgressViews[0].setBackgroundState(0, false);
@ -1128,7 +1211,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
pickerView = new PhotoPickerBottomLayout(parentActivity); pickerView = new PhotoPickerBottomLayout(parentActivity);
pickerView.setBackgroundColor(0x7f000000); pickerView.setBackgroundColor(0x7f000000);
containerView.addView(pickerView, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, 48, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(pickerView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 48, Gravity.BOTTOM | Gravity.LEFT));
pickerView.cancelButton.setOnClickListener(new View.OnClickListener() { pickerView.cancelButton.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
@ -1152,7 +1235,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
editorDoneLayout.setBackgroundColor(0x7f000000); editorDoneLayout.setBackgroundColor(0x7f000000);
editorDoneLayout.updateSelectedCount(0, false); editorDoneLayout.updateSelectedCount(0, false);
editorDoneLayout.setVisibility(View.GONE); editorDoneLayout.setVisibility(View.GONE);
containerView.addView(editorDoneLayout, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, 48, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(editorDoneLayout, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 48, Gravity.LEFT | Gravity.BOTTOM));
editorDoneLayout.cancelButton.setOnClickListener(new View.OnClickListener() { editorDoneLayout.cancelButton.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View view) { public void onClick(View view) {
@ -1198,7 +1281,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
checkImageView.setCheckOffset(AndroidUtilities.dp(1)); checkImageView.setCheckOffset(AndroidUtilities.dp(1));
checkImageView.setColor(0xff3ccaef); checkImageView.setColor(0xff3ccaef);
checkImageView.setVisibility(View.GONE); checkImageView.setVisibility(View.GONE);
containerView.addView(checkImageView, LayoutHelper.createRelative(45, 45, 0, rotation == Surface.ROTATION_270 || rotation == Surface.ROTATION_90 ? 58 : 68, 10, 0, RelativeLayout.ALIGN_PARENT_RIGHT)); containerView.addView(checkImageView, LayoutHelper.createFrame(45, 45, Gravity.RIGHT | Gravity.TOP, 0, rotation == Surface.ROTATION_270 || rotation == Surface.ROTATION_90 ? 58 : 68, 10, 0));
checkImageView.setOnClickListener(new View.OnClickListener() { checkImageView.setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View v) { public void onClick(View v) {
@ -1210,8 +1293,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
}); });
captionEditText = new PhotoViewerCaptionEnterView(parentActivity, windowView, containerView); captionEditText = new PhotoViewerCaptionEnterView(parentActivity, containerView);
captionEditText.setId(1000);
captionEditText.setDelegate(new PhotoViewerCaptionEnterView.PhotoViewerCaptionEnterViewDelegate() { captionEditText.setDelegate(new PhotoViewerCaptionEnterView.PhotoViewerCaptionEnterViewDelegate() {
@Override @Override
public void onCaptionEnter() { public void onCaptionEnter() {
@ -1219,7 +1301,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
@Override @Override
public void onTextChanged(CharSequence text, boolean bigChange) { public void onTextChanged(CharSequence text) {
if (mentionsAdapter != null && captionEditText != null && parentChatActivity != null && text != null) { if (mentionsAdapter != null && captionEditText != null && parentChatActivity != null && text != null) {
mentionsAdapter.searchUsernameOrHashtag(text.toString(), captionEditText.getCursorPosition(), parentChatActivity.messages); mentionsAdapter.searchUsernameOrHashtag(text.toString(), captionEditText.getCursorPosition(), parentChatActivity.messages);
} }
@ -1243,7 +1325,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
} }
}); });
containerView.addView(captionEditText, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, 0, 0, 0, -400, RelativeLayout.ALIGN_PARENT_BOTTOM)); containerView.addView(captionEditText, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, Gravity.BOTTOM | Gravity.LEFT, 0, 0, 0, -400));
mentionListView = new ListView(parentActivity); mentionListView = new ListView(parentActivity);
mentionListView.setBackgroundColor(0x7f000000); mentionListView.setBackgroundColor(0x7f000000);
@ -1254,13 +1336,13 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
if (Build.VERSION.SDK_INT > 8) { if (Build.VERSION.SDK_INT > 8) {
mentionListView.setOverScrollMode(ListView.OVER_SCROLL_NEVER); mentionListView.setOverScrollMode(ListView.OVER_SCROLL_NEVER);
} }
containerView.addView(mentionListView, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, 110, 0, -110, 0, 0, RelativeLayout.ALIGN_TOP, 1000)); containerView.addView(mentionListView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, 110, Gravity.LEFT | Gravity.BOTTOM));
mentionListView.setAdapter(mentionsAdapter = new MentionsAdapter(parentActivity, true, new MentionsAdapter.MentionsAdapterDelegate() { mentionListView.setAdapter(mentionsAdapter = new MentionsAdapter(parentActivity, true, new MentionsAdapter.MentionsAdapterDelegate() {
@Override @Override
public void needChangePanelVisibility(boolean show) { public void needChangePanelVisibility(boolean show) {
if (show) { if (show) {
RelativeLayout.LayoutParams layoutParams3 = (RelativeLayout.LayoutParams) mentionListView.getLayoutParams(); FrameLayout.LayoutParams layoutParams3 = (FrameLayout.LayoutParams) mentionListView.getLayoutParams();
int height = 36 * Math.min(3, mentionsAdapter.getCount()) + (mentionsAdapter.getCount() > 3 ? 18 : 0); int height = 36 * Math.min(3, mentionsAdapter.getCount()) + (mentionsAdapter.getCount() > 3 ? 18 : 0);
layoutParams3.height = AndroidUtilities.dp(height); layoutParams3.height = AndroidUtilities.dp(height);
layoutParams3.topMargin = -AndroidUtilities.dp(height); layoutParams3.topMargin = -AndroidUtilities.dp(height);
@ -1411,6 +1493,14 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
captionDoneItem.setVisibility(View.GONE); captionDoneItem.setVisibility(View.GONE);
pickerView.setVisibility(View.VISIBLE); pickerView.setVisibility(View.VISIBLE);
FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) captionEditText.getLayoutParams();
layoutParams.bottomMargin = -AndroidUtilities.dp(400);
captionEditText.setLayoutParams(layoutParams);
layoutParams = (FrameLayout.LayoutParams) mentionListView.getLayoutParams();
layoutParams.bottomMargin = -AndroidUtilities.dp(400);
mentionListView.setLayoutParams(layoutParams);
if (lastTitle != null) { if (lastTitle != null) {
actionBar.setTitle(lastTitle); actionBar.setTitle(lastTitle);
lastTitle = null; lastTitle = null;
@ -1418,8 +1508,8 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
updateCaptionTextForCurrentPhoto(object); updateCaptionTextForCurrentPhoto(object);
setCurrentCaption(captionEditText.getFieldCharSequence()); setCurrentCaption(captionEditText.getFieldCharSequence());
if (captionEditText.isEmojiPopupShowing()) { if (captionEditText.isPopupShowing()) {
captionEditText.hideEmojiPopup(); captionEditText.hidePopup();
} else { } else {
captionEditText.closeKeyboard(); captionEditText.closeKeyboard();
} }
@ -1619,7 +1709,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
if (photoCropView == null) { if (photoCropView == null) {
photoCropView = new PhotoCropView(parentActivity); photoCropView = new PhotoCropView(parentActivity);
photoCropView.setVisibility(View.GONE); photoCropView.setVisibility(View.GONE);
containerView.addView(photoCropView, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT, 0, 0, 0, 48)); containerView.addView(photoCropView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT, Gravity.TOP | Gravity.LEFT, 0, 0, 0, 48));
photoCropView.setDelegate(new PhotoCropView.PhotoCropViewDelegate() { photoCropView.setDelegate(new PhotoCropView.PhotoCropViewDelegate() {
@Override @Override
public void needMoveImageTo(float x, float y, float s, boolean animated) { public void needMoveImageTo(float x, float y, float s, boolean animated) {
@ -1722,7 +1812,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} else if (mode == 2) { } else if (mode == 2) {
if (photoFilterView == null) { if (photoFilterView == null) {
photoFilterView = new PhotoFilterView(parentActivity, centerImage.getBitmap(), centerImage.getOrientation()); photoFilterView = new PhotoFilterView(parentActivity, centerImage.getBitmap(), centerImage.getOrientation());
containerView.addView(photoFilterView, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT)); containerView.addView(photoFilterView, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
photoFilterView.getDoneTextView().setOnClickListener(new View.OnClickListener() { photoFilterView.getDoneTextView().setOnClickListener(new View.OnClickListener() {
@Override @Override
public void onClick(View v) { public void onClick(View v) {
@ -2236,9 +2326,6 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
captionEditText.setVisibility(cropItem.getVisibility()); captionEditText.setVisibility(cropItem.getVisibility());
needCaptionLayout = captionItem.getVisibility() == View.VISIBLE; needCaptionLayout = captionItem.getVisibility() == View.VISIBLE;
if (needCaptionLayout) { if (needCaptionLayout) {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) captionEditText.getLayoutParams();
layoutParams.bottomMargin = -AndroidUtilities.dp(400);
captionEditText.setLayoutParams(layoutParams);
captionEditText.onCreate(); captionEditText.onCreate();
} }
} }
@ -2288,7 +2375,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
currentMessageObject = imagesArr.get(currentIndex); currentMessageObject = imagesArr.get(currentIndex);
TLRPC.User user = MessagesController.getInstance().getUser(currentMessageObject.messageOwner.from_id); TLRPC.User user = MessagesController.getInstance().getUser(currentMessageObject.messageOwner.from_id);
if (user != null) { if (user != null) {
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); nameTextView.setText(UserObject.getUserName(user));
} else { } else {
nameTextView.setText(""); nameTextView.setText("");
} }
@ -2849,6 +2936,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
if (containerView == null) { if (containerView == null) {
return; return;
} }
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_NONE, null);
}
animationInProgress = 0; animationInProgress = 0;
transitionAnimationStartTime = 0; transitionAnimationStartTime = 0;
setImages(); setImages();
@ -2892,7 +2982,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
animatorSet.start(); animatorSet.start();
} }
}); });
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_HARDWARE, null);
}
backgroundDrawable.drawRunnable = new Runnable() { backgroundDrawable.drawRunnable = new Runnable() {
@Override @Override
public void run() { public void run() {
@ -3052,6 +3144,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
animationEndRunnable = new Runnable() { animationEndRunnable = new Runnable() {
@Override @Override
public void run() { public void run() {
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_NONE, null);
}
animationInProgress = 0; animationInProgress = 0;
onPhotoClosed(object); onPhotoClosed(object);
} }
@ -3078,6 +3173,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
}); });
transitionAnimationStartTime = System.currentTimeMillis(); transitionAnimationStartTime = System.currentTimeMillis();
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_HARDWARE, null);
}
animatorSet.start(); animatorSet.start();
} else { } else {
AnimatorSetProxy animatorSet = new AnimatorSetProxy(); AnimatorSetProxy animatorSet = new AnimatorSetProxy();
@ -3094,6 +3192,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
if (containerView == null) { if (containerView == null) {
return; return;
} }
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_NONE, null);
}
animationInProgress = 0; animationInProgress = 0;
onPhotoClosed(object); onPhotoClosed(object);
ViewProxy.setScaleX(containerView, 1.0f); ViewProxy.setScaleX(containerView, 1.0f);
@ -3112,6 +3213,9 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
}); });
transitionAnimationStartTime = System.currentTimeMillis(); transitionAnimationStartTime = System.currentTimeMillis();
if (Build.VERSION.SDK_INT >= 18) {
containerView.setLayerType(View.LAYER_TYPE_HARDWARE, null);
}
animatorSet.start(); animatorSet.start();
} }
} }
@ -3285,7 +3389,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
} }
} }
if (captionEditText.isEmojiPopupShowing() || captionEditText.isKeyboardVisible()) { if (captionEditText.isPopupShowing() || captionEditText.isKeyboardVisible()) {
return true; return true;
} }
@ -3776,7 +3880,7 @@ public class PhotoViewer implements NotificationCenter.NotificationCenterDelegat
checkImageView.post(new Runnable() { checkImageView.post(new Runnable() {
@Override @Override
public void run() { public void run() {
RelativeLayout.LayoutParams layoutParams = (RelativeLayout.LayoutParams) checkImageView.getLayoutParams(); FrameLayout.LayoutParams layoutParams = (FrameLayout.LayoutParams) checkImageView.getLayoutParams();
WindowManager manager = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Activity.WINDOW_SERVICE); WindowManager manager = (WindowManager) ApplicationLoader.applicationContext.getSystemService(Activity.WINDOW_SERVICE);
int rotation = manager.getDefaultDisplay().getRotation(); int rotation = manager.getDefaultDisplay().getRotation();
layoutParams.topMargin = AndroidUtilities.dp(rotation == Surface.ROTATION_270 || rotation == Surface.ROTATION_90 ? 58 : 68); layoutParams.topMargin = AndroidUtilities.dp(rotation == Surface.ROTATION_270 || rotation == Surface.ROTATION_90 ? 58 : 68);

View File

@ -38,6 +38,7 @@ import org.telegram.android.MediaController;
import org.telegram.android.MessagesController; import org.telegram.android.MessagesController;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.NotificationsController; import org.telegram.android.NotificationsController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
import org.telegram.messenger.FileLoader; import org.telegram.messenger.FileLoader;
@ -55,7 +56,7 @@ import org.telegram.ui.Components.FrameLayoutFixed;
import org.telegram.ui.Components.LayoutHelper; import org.telegram.ui.Components.LayoutHelper;
import org.telegram.ui.Components.PopupAudioView; import org.telegram.ui.Components.PopupAudioView;
import org.telegram.ui.Components.RecordStatusDrawable; import org.telegram.ui.Components.RecordStatusDrawable;
import org.telegram.ui.Components.SizeNotifierRelativeLayout; import org.telegram.ui.Components.SizeNotifierFrameLayout;
import org.telegram.ui.Components.TypingDotsDrawable; import org.telegram.ui.Components.TypingDotsDrawable;
import java.io.File; import java.io.File;
@ -164,38 +165,112 @@ public class PopupNotificationActivity extends Activity implements NotificationC
typingDotsDrawable = new TypingDotsDrawable(); typingDotsDrawable = new TypingDotsDrawable();
recordStatusDrawable = new RecordStatusDrawable(); recordStatusDrawable = new RecordStatusDrawable();
SizeNotifierRelativeLayout contentView = new SizeNotifierRelativeLayout(this); SizeNotifierFrameLayout contentView = new SizeNotifierFrameLayout(this) {
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
int widthMode = MeasureSpec.getMode(widthMeasureSpec);
int heightMode = MeasureSpec.getMode(heightMeasureSpec);
int widthSize = MeasureSpec.getSize(widthMeasureSpec);
int heightSize = MeasureSpec.getSize(heightMeasureSpec);
setMeasuredDimension(widthSize, heightSize);
int keyboardSize = getKeyboardHeight();
if (keyboardSize <= AndroidUtilities.dp(20)) {
heightSize -= chatActivityEnterView.getEmojiPadding();
}
int childCount = getChildCount();
for (int i = 0; i < childCount; i++) {
View child = getChildAt(i);
if (child.getVisibility() == GONE) {
continue;
}
if (chatActivityEnterView.isPopupView(child)) {
child.measure(MeasureSpec.makeMeasureSpec(widthSize, MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(child.getLayoutParams().height, MeasureSpec.EXACTLY));
} else {
child.measure(MeasureSpec.makeMeasureSpec(widthSize, MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(Math.max(AndroidUtilities.dp(10), heightSize + AndroidUtilities.dp(2)), MeasureSpec.EXACTLY));
}
}
}
@Override
protected void onLayout(boolean changed, int l, int t, int r, int b) {
final int count = getChildCount();
int paddingBottom = getKeyboardHeight() <= AndroidUtilities.dp(20) ? chatActivityEnterView.getEmojiPadding() : 0;
for (int i = 0; i < count; i++) {
final View child = getChildAt(i);
if (child.getVisibility() == GONE) {
continue;
}
final LayoutParams lp = (LayoutParams) child.getLayoutParams();
int width = child.getMeasuredWidth();
int height = child.getMeasuredHeight();
int childLeft;
int childTop;
int gravity = lp.gravity;
if (gravity == -1) {
gravity = Gravity.TOP | Gravity.LEFT;
}
final int absoluteGravity = gravity & Gravity.HORIZONTAL_GRAVITY_MASK;
final int verticalGravity = gravity & Gravity.VERTICAL_GRAVITY_MASK;
switch (absoluteGravity & Gravity.HORIZONTAL_GRAVITY_MASK) {
case Gravity.CENTER_HORIZONTAL:
childLeft = (r - l - width) / 2 + lp.leftMargin - lp.rightMargin;
break;
case Gravity.RIGHT:
childLeft = r - width - lp.rightMargin;
break;
case Gravity.LEFT:
default:
childLeft = lp.leftMargin;
}
switch (verticalGravity) {
case Gravity.TOP:
childTop = lp.topMargin;
break;
case Gravity.CENTER_VERTICAL:
childTop = ((b - paddingBottom) - t - height) / 2 + lp.topMargin - lp.bottomMargin;
break;
case Gravity.BOTTOM:
childTop = ((b - paddingBottom) - t) - height - lp.bottomMargin;
break;
default:
childTop = lp.topMargin;
}
if (chatActivityEnterView.isPopupView(child)) {
childTop = paddingBottom != 0 ? getMeasuredHeight() - paddingBottom : getMeasuredHeight();
}
child.layout(childLeft, childTop, childLeft + width, childTop + height);
}
notifyHeightChanged();
}
};
setContentView(contentView); setContentView(contentView);
contentView.setBackgroundColor(0x99000000); contentView.setBackgroundColor(0x99000000);
RelativeLayout relativeLayout = new RelativeLayout(this); RelativeLayout relativeLayout = new RelativeLayout(this);
contentView.addView(relativeLayout); contentView.addView(relativeLayout, LayoutHelper.createFrame(LayoutHelper.MATCH_PARENT, LayoutHelper.MATCH_PARENT));
RelativeLayout.LayoutParams layoutParams3 = (RelativeLayout.LayoutParams) relativeLayout.getLayoutParams();
layoutParams3.width = LayoutHelper.MATCH_PARENT;
layoutParams3.height = LayoutHelper.MATCH_PARENT;
relativeLayout.setLayoutParams(layoutParams3);
RelativeLayout popupContainer = new RelativeLayout(this); RelativeLayout popupContainer = new RelativeLayout(this);
popupContainer.setBackgroundColor(0xffffffff); popupContainer.setBackgroundColor(0xffffffff);
relativeLayout.addView(popupContainer); relativeLayout.addView(popupContainer, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, 240, 12, 0, 12, 0, RelativeLayout.CENTER_IN_PARENT));
layoutParams3 = (RelativeLayout.LayoutParams) popupContainer.getLayoutParams();
layoutParams3.width = LayoutHelper.MATCH_PARENT;
layoutParams3.height = AndroidUtilities.dp(240);
layoutParams3.leftMargin = AndroidUtilities.dp(12);
layoutParams3.rightMargin = AndroidUtilities.dp(12);
layoutParams3.addRule(RelativeLayout.CENTER_IN_PARENT);
popupContainer.setLayoutParams(layoutParams3);
if (chatActivityEnterView != null) { if (chatActivityEnterView != null) {
chatActivityEnterView.onDestroy(); chatActivityEnterView.onDestroy();
} }
chatActivityEnterView = new ChatActivityEnterView(this, contentView, null, false); chatActivityEnterView = new ChatActivityEnterView(this, contentView, null, false);
popupContainer.addView(chatActivityEnterView); popupContainer.addView(chatActivityEnterView, LayoutHelper.createRelative(LayoutHelper.MATCH_PARENT, LayoutHelper.WRAP_CONTENT, RelativeLayout.ALIGN_PARENT_BOTTOM));
layoutParams3 = (RelativeLayout.LayoutParams) chatActivityEnterView.getLayoutParams();
layoutParams3.width = LayoutHelper.MATCH_PARENT;
layoutParams3.height = LayoutHelper.WRAP_CONTENT;
layoutParams3.addRule(RelativeLayout.ALIGN_PARENT_BOTTOM);
chatActivityEnterView.setLayoutParams(layoutParams3);
chatActivityEnterView.setDelegate(new ChatActivityEnterView.ChatActivityEnterViewDelegate() { chatActivityEnterView.setDelegate(new ChatActivityEnterView.ChatActivityEnterViewDelegate() {
@Override @Override
public void onMessageSend(String message) { public void onMessageSend(String message) {
@ -749,7 +824,7 @@ public class PopupNotificationActivity extends Activity implements NotificationC
} }
int padding = (AndroidUtilities.getCurrentActionBarHeight() - AndroidUtilities.dp(48)) / 2; int padding = (AndroidUtilities.getCurrentActionBarHeight() - AndroidUtilities.dp(48)) / 2;
avatarContainer.setPadding(avatarContainer.getPaddingLeft(), padding, avatarContainer.getPaddingRight(), padding); avatarContainer.setPadding(avatarContainer.getPaddingLeft(), padding, avatarContainer.getPaddingRight(), padding);
return false; return true;
} }
}); });
} }
@ -767,7 +842,7 @@ public class PopupNotificationActivity extends Activity implements NotificationC
messageContainer.setLayoutParams(layoutParams); messageContainer.setLayoutParams(layoutParams);
applyViewsLayoutParams(0); applyViewsLayoutParams(0);
} }
return false; return true;
} }
}); });
} }
@ -872,11 +947,11 @@ public class PopupNotificationActivity extends Activity implements NotificationC
if (currentChat != null && currentUser != null) { if (currentChat != null && currentUser != null) {
nameTextView.setText(currentChat.title); nameTextView.setText(currentChat.title);
onlineTextView.setText(ContactsController.formatName(currentUser.first_name, currentUser.last_name)); onlineTextView.setText(UserObject.getUserName(currentUser));
nameTextView.setCompoundDrawablesWithIntrinsicBounds(0, 0, 0, 0); nameTextView.setCompoundDrawablesWithIntrinsicBounds(0, 0, 0, 0);
nameTextView.setCompoundDrawablePadding(0); nameTextView.setCompoundDrawablePadding(0);
} else if (currentUser != null) { } else if (currentUser != null) {
nameTextView.setText(ContactsController.formatName(currentUser.first_name, currentUser.last_name)); nameTextView.setText(UserObject.getUserName(currentUser));
if ((int)dialog_id == 0) { if ((int)dialog_id == 0) {
nameTextView.setCompoundDrawablesWithIntrinsicBounds(R.drawable.ic_lock_white, 0, 0, 0); nameTextView.setCompoundDrawablesWithIntrinsicBounds(R.drawable.ic_lock_white, 0, 0, 0);
nameTextView.setCompoundDrawablePadding(AndroidUtilities.dp(4)); nameTextView.setCompoundDrawablePadding(AndroidUtilities.dp(4));
@ -903,10 +978,10 @@ public class PopupNotificationActivity extends Activity implements NotificationC
if (currentUser.phone != null && currentUser.phone.length() != 0) { if (currentUser.phone != null && currentUser.phone.length() != 0) {
nameTextView.setText(PhoneFormat.getInstance().format("+" + currentUser.phone)); nameTextView.setText(PhoneFormat.getInstance().format("+" + currentUser.phone));
} else { } else {
nameTextView.setText(ContactsController.formatName(currentUser.first_name, currentUser.last_name)); nameTextView.setText(UserObject.getUserName(currentUser));
} }
} else { } else {
nameTextView.setText(ContactsController.formatName(currentUser.first_name, currentUser.last_name)); nameTextView.setText(UserObject.getUserName(currentUser));
} }
CharSequence printString = MessagesController.getInstance().printingStrings.get(currentMessageObject.getDialogId()); CharSequence printString = MessagesController.getInstance().printingStrings.get(currentMessageObject.getDialogId());
if (printString == null || printString.length() == 0) { if (printString == null || printString.length() == 0) {
@ -984,8 +1059,8 @@ public class PopupNotificationActivity extends Activity implements NotificationC
@Override @Override
public void onBackPressed() { public void onBackPressed() {
if (chatActivityEnterView.isEmojiPopupShowing()) { if (chatActivityEnterView.isPopupShowing()) {
chatActivityEnterView.hideEmojiPopup(); chatActivityEnterView.hidePopup();
return; return;
} }
super.onBackPressed(); super.onBackPressed();
@ -1008,7 +1083,7 @@ public class PopupNotificationActivity extends Activity implements NotificationC
super.onPause(); super.onPause();
overridePendingTransition(0, 0); overridePendingTransition(0, 0);
if (chatActivityEnterView != null) { if (chatActivityEnterView != null) {
chatActivityEnterView.hideEmojiPopup(); chatActivityEnterView.hidePopup();
chatActivityEnterView.setFieldFocused(false); chatActivityEnterView.setFieldFocused(false);
} }
ConnectionsManager.getInstance().setAppPaused(true, false); ConnectionsManager.getInstance().setAppPaused(true, false);

View File

@ -17,6 +17,7 @@ import android.content.DialogInterface;
import android.content.Intent; import android.content.Intent;
import android.content.res.Configuration; import android.content.res.Configuration;
import android.graphics.Bitmap; import android.graphics.Bitmap;
import android.graphics.Canvas;
import android.graphics.Outline; import android.graphics.Outline;
import android.net.Uri; import android.net.Uri;
import android.os.Build; import android.os.Build;
@ -29,6 +30,8 @@ import android.view.View;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.view.ViewOutlineProvider; import android.view.ViewOutlineProvider;
import android.view.ViewTreeObserver; import android.view.ViewTreeObserver;
import android.view.animation.AccelerateInterpolator;
import android.view.animation.DecelerateInterpolator;
import android.widget.AbsListView; import android.widget.AbsListView;
import android.widget.AdapterView; import android.widget.AdapterView;
import android.widget.FrameLayout; import android.widget.FrameLayout;
@ -38,10 +41,15 @@ import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy;
import org.telegram.android.AnimationCompat.AnimatorSetProxy;
import org.telegram.android.AnimationCompat.ObjectAnimatorProxy;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
import org.telegram.android.MessagesStorage; import org.telegram.android.MessagesStorage;
import org.telegram.android.SecretChatHelper; import org.telegram.android.SecretChatHelper;
import org.telegram.android.SendMessagesHelper; import org.telegram.android.SendMessagesHelper;
import org.telegram.android.UserObject;
import org.telegram.android.query.BotQuery;
import org.telegram.android.query.SharedMediaQuery; import org.telegram.android.query.SharedMediaQuery;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.ConnectionsManager; import org.telegram.messenger.ConnectionsManager;
@ -87,7 +95,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
private TextView nameTextView; private TextView nameTextView;
private TextView onlineTextView; private TextView onlineTextView;
private ImageView writeButton; private ImageView writeButton;
private AnimatorSetProxy writeButtonAnimation;
private int user_id; private int user_id;
private int chat_id; private int chat_id;
private long dialog_id; private long dialog_id;
@ -102,6 +110,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
private TLRPC.EncryptedChat currentEncryptedChat; private TLRPC.EncryptedChat currentEncryptedChat;
private TLRPC.Chat currentChat; private TLRPC.Chat currentChat;
private TLRPC.BotInfo botInfo;
private int totalMediaCount = -1; private int totalMediaCount = -1;
@ -113,6 +122,8 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
private final static int add_member = 6; private final static int add_member = 6;
private final static int leave_group = 7; private final static int leave_group = 7;
private final static int edit_name = 8; private final static int edit_name = 8;
private final static int invite_to_group = 9;
private final static int share = 10;
private int overscrollRow; private int overscrollRow;
private int emptyRow; private int emptyRow;
@ -126,6 +137,8 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
private int sharedMediaRow; private int sharedMediaRow;
private int startSecretChatRow; private int startSecretChatRow;
private int sectionRow; private int sectionRow;
private int botSectionRow;
private int botInfoRow;
private int membersSectionRow; private int membersSectionRow;
private int membersEndRow; private int membersEndRow;
private int addMemberRow; private int addMemberRow;
@ -144,7 +157,8 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
if (dialog_id != 0) { if (dialog_id != 0) {
currentEncryptedChat = MessagesController.getInstance().getEncryptedChat((int) (dialog_id >> 32)); currentEncryptedChat = MessagesController.getInstance().getEncryptedChat((int) (dialog_id >> 32));
} }
if (MessagesController.getInstance().getUser(user_id) == null) { TLRPC.User user = MessagesController.getInstance().getUser(user_id);
if (user == null) {
return false; return false;
} }
NotificationCenter.getInstance().addObserver(this, NotificationCenter.updateInterfaces); NotificationCenter.getInstance().addObserver(this, NotificationCenter.updateInterfaces);
@ -152,8 +166,11 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
NotificationCenter.getInstance().addObserver(this, NotificationCenter.encryptedChatCreated); NotificationCenter.getInstance().addObserver(this, NotificationCenter.encryptedChatCreated);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.encryptedChatUpdated); NotificationCenter.getInstance().addObserver(this, NotificationCenter.encryptedChatUpdated);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.blockedUsersDidLoaded); NotificationCenter.getInstance().addObserver(this, NotificationCenter.blockedUsersDidLoaded);
NotificationCenter.getInstance().addObserver(this, NotificationCenter.botInfoDidLoaded);
userBlocked = MessagesController.getInstance().blockedUsers.contains(user_id); userBlocked = MessagesController.getInstance().blockedUsers.contains(user_id);
if ((user.flags & TLRPC.USER_FLAG_BOT) != 0) {
BotQuery.loadBotInfo(user.id, true, classGuid);
}
MessagesController.getInstance().loadFullUser(MessagesController.getInstance().getUser(user_id), classGuid); MessagesController.getInstance().loadFullUser(MessagesController.getInstance().getUser(user_id), classGuid);
} else if (chat_id != 0) { } else if (chat_id != 0) {
currentChat = MessagesController.getInstance().getChat(chat_id); currentChat = MessagesController.getInstance().getChat(chat_id);
@ -219,6 +236,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.encryptedChatCreated); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.encryptedChatCreated);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.encryptedChatUpdated); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.encryptedChatUpdated);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.blockedUsersDidLoaded); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.blockedUsersDidLoaded);
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.botInfoDidLoaded);
MessagesController.getInstance().cancelLoadFullUser(user_id); MessagesController.getInstance().cancelLoadFullUser(user_id);
} else if (chat_id != 0) { } else if (chat_id != 0) {
NotificationCenter.getInstance().removeObserver(this, NotificationCenter.chatInfoDidLoaded); NotificationCenter.getInstance().removeObserver(this, NotificationCenter.chatInfoDidLoaded);
@ -271,7 +289,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
} else if (id == share_contact) { } else if (id == share_contact) {
Bundle args = new Bundle(); Bundle args = new Bundle();
args.putBoolean("onlySelect", true); args.putBoolean("onlySelect", true);
args.putBoolean("serverOnly", true); args.putInt("dialogsType", 1);
MessagesActivity fragment = new MessagesActivity(args); MessagesActivity fragment = new MessagesActivity(args);
fragment.setDelegate(ProfileActivity.this); fragment.setDelegate(ProfileActivity.this);
presentFragment(fragment); presentFragment(fragment);
@ -315,6 +333,47 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
Bundle args = new Bundle(); Bundle args = new Bundle();
args.putInt("chat_id", chat_id); args.putInt("chat_id", chat_id);
presentFragment(new ChangeChatNameActivity(args)); presentFragment(new ChangeChatNameActivity(args));
} else if (id == invite_to_group) {
final TLRPC.User user = MessagesController.getInstance().getUser(user_id);
if (user == null) {
return;
}
Bundle args = new Bundle();
args.putBoolean("onlySelect", true);
args.putInt("dialogsType", 2);
args.putString("addToGroupAlertString", LocaleController.formatString("AddToTheGroupTitle", R.string.AddToTheGroupTitle, UserObject.getUserName(user), "%1$s"));
MessagesActivity fragment = new MessagesActivity(args);
fragment.setDelegate(new MessagesActivity.MessagesActivityDelegate() {
@Override
public void didSelectDialog(MessagesActivity fragment, long did, boolean param) {
NotificationCenter.getInstance().removeObserver(ProfileActivity.this, NotificationCenter.closeChats);
NotificationCenter.getInstance().postNotificationName(NotificationCenter.closeChats);
MessagesController.getInstance().addUserToChat(-(int) did, user, null, 0, null);
Bundle args = new Bundle();
args.putBoolean("scrollToTopOnResume", true);
args.putInt("chat_id", -(int) did);
presentFragment(new ChatActivity(args), true);
removeSelfFromStack();
}
});
presentFragment(fragment);
} else if (id == share) {
try {
TLRPC.User user = MessagesController.getInstance().getUser(user_id);
if (user == null) {
return;
}
Intent intent = new Intent(Intent.ACTION_SEND);
intent.setType("text/plain");
if (botInfo != null && botInfo.share_text != null && botInfo.share_text.length() > 0) {
intent.putExtra(Intent.EXTRA_TEXT, String.format("%s https://telegram.me/%s", botInfo.share_text, user.username));
} else {
intent.putExtra(Intent.EXTRA_TEXT, String.format("https://telegram.me/%s", user.username));
}
startActivityForResult(Intent.createChooser(intent, LocaleController.getString("BotShare", R.string.BotShare)), 500);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} }
} }
}); });
@ -323,7 +382,34 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
listAdapter = new ListAdapter(context); listAdapter = new ListAdapter(context);
fragmentView = new FrameLayout(context); fragmentView = new FrameLayout(context) {
@Override
protected boolean drawChild(Canvas canvas, View child, long drawingTime) {
if (child == listView) {
boolean result = super.drawChild(canvas, child, drawingTime);
if (parentLayout != null) {
int actionBarHeight = 0;
int childCount = getChildCount();
for (int a = 0; a < childCount; a++) {
View view = getChildAt(a);
if (view == child) {
continue;
}
if (view instanceof ActionBar && view.getVisibility() == VISIBLE) {
if (((ActionBar) view).getCastShadows()) {
actionBarHeight = view.getMeasuredHeight();
}
break;
}
}
parentLayout.drawHeaderShadow(canvas, actionBarHeight);
}
return result;
} else {
return super.drawChild(canvas, child, drawingTime);
}
}
};
FrameLayout frameLayout = (FrameLayout) fragmentView; FrameLayout frameLayout = (FrameLayout) fragmentView;
avatarImage = new BackupImageView(context); avatarImage = new BackupImageView(context);
@ -469,13 +555,17 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
FileLog.e("tmessages", e); FileLog.e("tmessages", e);
} }
} else if (i == 1) { } else if (i == 1) {
if (Build.VERSION.SDK_INT < android.os.Build.VERSION_CODES.HONEYCOMB) { try {
android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE); if (Build.VERSION.SDK_INT < android.os.Build.VERSION_CODES.HONEYCOMB) {
clipboard.setText("+" + user.phone); android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
} else { clipboard.setText("+" + user.phone);
android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE); } else {
android.content.ClipData clip = android.content.ClipData.newPlainText("label", "+" + user.phone); android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
clipboard.setPrimaryClip(clip); android.content.ClipData clip = android.content.ClipData.newPlainText("label", "+" + user.phone);
clipboard.setPrimaryClip(clip);
}
} catch (Exception e) {
FileLog.e("tmessages", e);
} }
} }
} }
@ -661,18 +751,18 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
args.putBoolean("onlyUsers", true); args.putBoolean("onlyUsers", true);
args.putBoolean("destroyAfterSelect", true); args.putBoolean("destroyAfterSelect", true);
args.putBoolean("returnAsResult", true); args.putBoolean("returnAsResult", true);
if (info != null && info.admin_id == UserConfig.getClientUserId()) {
args.putInt("chat_id", currentChat.id);
}
//args.putBoolean("allowUsernameSearch", false); //args.putBoolean("allowUsernameSearch", false);
if (chat_id > 0) { if (chat_id > 0) {
if (info != null && info.admin_id == UserConfig.getClientUserId()) {
args.putInt("chat_id", currentChat.id);
}
args.putString("selectAlertString", LocaleController.getString("AddToTheGroup", R.string.AddToTheGroup)); args.putString("selectAlertString", LocaleController.getString("AddToTheGroup", R.string.AddToTheGroup));
} }
ContactsActivity fragment = new ContactsActivity(args); ContactsActivity fragment = new ContactsActivity(args);
fragment.setDelegate(new ContactsActivity.ContactsActivityDelegate() { fragment.setDelegate(new ContactsActivity.ContactsActivityDelegate() {
@Override @Override
public void didSelectContact(TLRPC.User user, String param) { public void didSelectContact(TLRPC.User user, String param) {
MessagesController.getInstance().addUserToChat(chat_id, user, info, param != null ? Utilities.parseInt(param) : 0); MessagesController.getInstance().addUserToChat(chat_id, user, info, param != null ? Utilities.parseInt(param) : 0, null);
} }
}); });
if (info != null) { if (info != null) {
@ -727,10 +817,53 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
layoutParams = (FrameLayout.LayoutParams) writeButton.getLayoutParams(); layoutParams = (FrameLayout.LayoutParams) writeButton.getLayoutParams();
layoutParams.topMargin = (actionBar.getOccupyStatusBar() ? AndroidUtilities.statusBarHeight : 0) + AndroidUtilities.getCurrentActionBarHeight() + actionBar.getExtraHeight() - AndroidUtilities.dp(29.5f); layoutParams.topMargin = (actionBar.getOccupyStatusBar() ? AndroidUtilities.statusBarHeight : 0) + AndroidUtilities.getCurrentActionBarHeight() + actionBar.getExtraHeight() - AndroidUtilities.dp(29.5f);
writeButton.setLayoutParams(layoutParams); writeButton.setLayoutParams(layoutParams);
ViewProxy.setAlpha(writeButton, diff); /*ViewProxy.setAlpha(writeButton, diff);
writeButton.setVisibility(diff <= 0.02 ? View.GONE : View.VISIBLE); writeButton.setVisibility(diff <= 0.02 ? View.GONE : View.VISIBLE);
if (writeButton.getVisibility() == View.GONE) { if (writeButton.getVisibility() == View.GONE) {
writeButton.clearAnimation(); writeButton.clearAnimation();
}*/
final boolean setVisible = diff > 0.2f;
boolean currentVisible = writeButton.getTag() == null;
if (setVisible != currentVisible) {
if (setVisible) {
writeButton.setTag(null);
writeButton.setVisibility(View.VISIBLE);
} else {
writeButton.setTag(0);
}
if (writeButtonAnimation != null) {
AnimatorSetProxy old = writeButtonAnimation;
writeButtonAnimation = null;
old.cancel();
}
writeButtonAnimation = new AnimatorSetProxy();
if (setVisible) {
writeButtonAnimation.setInterpolator(new DecelerateInterpolator());
writeButtonAnimation.playTogether(
ObjectAnimatorProxy.ofFloat(writeButton, "scaleX", 1.0f),
ObjectAnimatorProxy.ofFloat(writeButton, "scaleY", 1.0f),
ObjectAnimatorProxy.ofFloat(writeButton, "alpha", 1.0f)
);
} else {
writeButtonAnimation.setInterpolator(new AccelerateInterpolator());
writeButtonAnimation.playTogether(
ObjectAnimatorProxy.ofFloat(writeButton, "scaleX", 0.2f),
ObjectAnimatorProxy.ofFloat(writeButton, "scaleY", 0.2f),
ObjectAnimatorProxy.ofFloat(writeButton, "alpha", 0.0f)
);
}
writeButtonAnimation.setDuration(150);
writeButtonAnimation.addListener(new AnimatorListenerAdapterProxy() {
@Override
public void onAnimationEnd(Object animation) {
if (writeButtonAnimation != null && writeButtonAnimation.equals(animation)) {
writeButton.clearAnimation();
writeButton.setVisibility(setVisible ? View.VISIBLE : View.GONE);
writeButtonAnimation = null;
}
}
});
writeButtonAnimation.start();
} }
} }
@ -772,7 +905,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
needLayout(); needLayout();
fragmentView.getViewTreeObserver().removeOnPreDrawListener(this); fragmentView.getViewTreeObserver().removeOnPreDrawListener(this);
} }
return false; return true;
} }
}); });
} }
@ -881,6 +1014,12 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
} }
} else if (id == NotificationCenter.closeChats) { } else if (id == NotificationCenter.closeChats) {
removeSelfFromStack(); removeSelfFromStack();
} else if (id == NotificationCenter.botInfoDidLoaded) {
TLRPC.BotInfo info = (TLRPC.BotInfo) args[0];
if (info.user_id == user_id) {
botInfo = info;
updateRowsIds();
}
} }
} }
@ -1058,14 +1197,22 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
rowCount = 0; rowCount = 0;
overscrollRow = rowCount++; overscrollRow = rowCount++;
if (user_id != 0) { if (user_id != 0) {
emptyRow = rowCount++;
phoneRow = rowCount++;
TLRPC.User user = MessagesController.getInstance().getUser(user_id); TLRPC.User user = MessagesController.getInstance().getUser(user_id);
emptyRow = rowCount++;
if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) != 0) {
phoneRow = -1;
} else {
phoneRow = rowCount++;
}
if (user != null && user.username != null && user.username.length() > 0) { if (user != null && user.username != null && user.username.length() > 0) {
usernameRow = rowCount++; usernameRow = rowCount++;
} else { } else {
usernameRow = -1; usernameRow = -1;
} }
if (botInfo != null && botInfo.share_text != null && botInfo.share_text.length() > 0) {
botSectionRow = rowCount++;
botInfoRow = rowCount++;
}
sectionRow = rowCount++; sectionRow = rowCount++;
settingsNotificationsRow = rowCount++; settingsNotificationsRow = rowCount++;
sharedMediaRow = rowCount++; sharedMediaRow = rowCount++;
@ -1076,7 +1223,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
settingsTimerRow = -1; settingsTimerRow = -1;
settingsKeyRow = -1; settingsKeyRow = -1;
} }
if (currentEncryptedChat == null) { if (user != null && (user.flags & TLRPC.USER_FLAG_BOT) == 0 && currentEncryptedChat == null) {
startSecretChatRow = rowCount++; startSecretChatRow = rowCount++;
} else { } else {
startSecretChatRow = -1; startSecretChatRow = -1;
@ -1119,12 +1266,12 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
AvatarDrawable avatarDrawable = new AvatarDrawable(user); AvatarDrawable avatarDrawable = new AvatarDrawable(user);
avatarImage.setImage(photo, "50_50", avatarDrawable); avatarImage.setImage(photo, "50_50", avatarDrawable);
if (user instanceof TLRPC.TL_userDeleted) { nameTextView.setText(UserObject.getUserName(user));
nameTextView.setText(LocaleController.getString("HiddenName", R.string.HiddenName)); if ((user.flags & TLRPC.USER_FLAG_BOT) != 0) {
onlineTextView.setText(LocaleController.getString("Bot", R.string.Bot));
} else { } else {
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); onlineTextView.setText(LocaleController.formatUserStatus(user));
} }
onlineTextView.setText(LocaleController.formatUserStatus(user));
avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false); avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false);
} else if (chat_id != 0) { } else if (chat_id != 0) {
@ -1170,6 +1317,12 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
return; return;
} }
ActionBarMenuItem item = menu.addItem(0, R.drawable.ic_ab_other); ActionBarMenuItem item = menu.addItem(0, R.drawable.ic_ab_other);
if ((user.flags & TLRPC.USER_FLAG_BOT) != 0) {
if ((user.flags & TLRPC.USER_FLAG_BOT_CANT_JOIN_GROUP) == 0) {
item.addSubItem(invite_to_group, LocaleController.getString("BotInvite", R.string.BotInvite), 0);
}
item.addSubItem(share, LocaleController.getString("BotShare", R.string.BotShare), 0);
}
if (user.phone != null && user.phone.length() != 0) { if (user.phone != null && user.phone.length() != 0) {
item.addSubItem(add_contact, LocaleController.getString("AddContact", R.string.AddContact), 0); item.addSubItem(add_contact, LocaleController.getString("AddContact", R.string.AddContact), 0);
item.addSubItem(share_contact, LocaleController.getString("ShareContact", R.string.ShareContact), 0); item.addSubItem(share_contact, LocaleController.getString("ShareContact", R.string.ShareContact), 0);
@ -1327,6 +1480,7 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
} else { } else {
value = String.format("%d", totalMediaCount); value = String.format("%d", totalMediaCount);
} }
textCell.setMultiline(false);
textCell.setTextAndValue(LocaleController.getString("SharedMedia", R.string.SharedMedia), value); textCell.setTextAndValue(LocaleController.getString("SharedMedia", R.string.SharedMedia), value);
} else if (i == settingsTimerRow) { } else if (i == settingsTimerRow) {
TLRPC.EncryptedChat encryptedChat = MessagesController.getInstance().getEncryptedChat((int)(dialog_id >> 32)); TLRPC.EncryptedChat encryptedChat = MessagesController.getInstance().getEncryptedChat((int)(dialog_id >> 32));
@ -1336,17 +1490,24 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
} else { } else {
value = AndroidUtilities.formatTTLString(encryptedChat.ttl); value = AndroidUtilities.formatTTLString(encryptedChat.ttl);
} }
textCell.setMultiline(false);
textCell.setTextAndValue(LocaleController.getString("MessageLifetime", R.string.MessageLifetime), value); textCell.setTextAndValue(LocaleController.getString("MessageLifetime", R.string.MessageLifetime), value);
} else if (i == settingsNotificationsRow) { } else if (i == settingsNotificationsRow) {
textCell.setMultiline(false);
textCell.setTextAndIcon(LocaleController.getString("NotificationsAndSounds", R.string.NotificationsAndSounds), R.drawable.profile_list); textCell.setTextAndIcon(LocaleController.getString("NotificationsAndSounds", R.string.NotificationsAndSounds), R.drawable.profile_list);
} else if (i == startSecretChatRow) { } else if (i == startSecretChatRow) {
textCell.setMultiline(false);
textCell.setText(LocaleController.getString("StartEncryptedChat", R.string.StartEncryptedChat)); textCell.setText(LocaleController.getString("StartEncryptedChat", R.string.StartEncryptedChat));
textCell.setTextColor(0xff37a919); textCell.setTextColor(0xff37a919);
} else if (i == settingsKeyRow) { } else if (i == settingsKeyRow) {
IdenticonDrawable identiconDrawable = new IdenticonDrawable(); IdenticonDrawable identiconDrawable = new IdenticonDrawable();
TLRPC.EncryptedChat encryptedChat = MessagesController.getInstance().getEncryptedChat((int)(dialog_id >> 32)); TLRPC.EncryptedChat encryptedChat = MessagesController.getInstance().getEncryptedChat((int)(dialog_id >> 32));
identiconDrawable.setEncryptedChat(encryptedChat); identiconDrawable.setEncryptedChat(encryptedChat);
textCell.setMultiline(false);
textCell.setTextAndValueDrawable(LocaleController.getString("EncryptionKey", R.string.EncryptionKey), identiconDrawable); textCell.setTextAndValueDrawable(LocaleController.getString("EncryptionKey", R.string.EncryptionKey), identiconDrawable);
} else if (i == botInfoRow) {
textCell.setMultiline(true);
textCell.setTextAndIcon(botInfo.share_text, R.drawable.bot_info);
} }
} else if (type == 4) { } else if (type == 4) {
if (view == null) { if (view == null) {
@ -1362,6 +1523,11 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
} else if (type == 6) { } else if (type == 6) {
if (view == null) { if (view == null) {
view = new AddMemberCell(mContext); view = new AddMemberCell(mContext);
if (chat_id > 0) {
((AddMemberCell) view).setText(LocaleController.getString("AddMember", R.string.AddMember));
} else {
((AddMemberCell) view).setText(LocaleController.getString("AddRecipient", R.string.AddRecipient));
}
} }
} }
return view; return view;
@ -1371,11 +1537,11 @@ public class ProfileActivity extends BaseFragment implements NotificationCenter.
public int getItemViewType(int i) { public int getItemViewType(int i) {
if (i == emptyRow || i == overscrollRow || i == emptyRowChat || i == emptyRowChat2) { if (i == emptyRow || i == overscrollRow || i == emptyRowChat || i == emptyRowChat2) {
return 0; return 0;
} else if (i == sectionRow) { } else if (i == sectionRow || i == botSectionRow) {
return 1; return 1;
} else if (i == phoneRow || i == usernameRow) { } else if (i == phoneRow || i == usernameRow) {
return 2; return 2;
} else if (i == sharedMediaRow || i == settingsTimerRow || i == settingsNotificationsRow || i == startSecretChatRow || i == settingsKeyRow) { } else if (i == sharedMediaRow || i == settingsTimerRow || i == settingsNotificationsRow || i == startSecretChatRow || i == settingsKeyRow || i == botInfoRow) {
return 3; return 3;
} else if (i > emptyRowChat2 && i < membersEndRow) { } else if (i > emptyRowChat2 && i < membersEndRow) {
return 4; return 4;

View File

@ -21,6 +21,7 @@ import android.content.SharedPreferences;
import android.content.pm.PackageInfo; import android.content.pm.PackageInfo;
import android.content.res.Configuration; import android.content.res.Configuration;
import android.graphics.Bitmap; import android.graphics.Bitmap;
import android.graphics.Canvas;
import android.graphics.Outline; import android.graphics.Outline;
import android.net.Uri; import android.net.Uri;
import android.os.Build; import android.os.Build;
@ -38,6 +39,8 @@ import android.view.View;
import android.view.ViewGroup; import android.view.ViewGroup;
import android.view.ViewOutlineProvider; import android.view.ViewOutlineProvider;
import android.view.ViewTreeObserver; import android.view.ViewTreeObserver;
import android.view.animation.AccelerateInterpolator;
import android.view.animation.DecelerateInterpolator;
import android.widget.AbsListView; import android.widget.AbsListView;
import android.widget.AdapterView; import android.widget.AdapterView;
import android.widget.FrameLayout; import android.widget.FrameLayout;
@ -46,9 +49,12 @@ import android.widget.ListView;
import android.widget.TextView; import android.widget.TextView;
import org.telegram.android.AndroidUtilities; import org.telegram.android.AndroidUtilities;
import org.telegram.android.ContactsController; import org.telegram.android.AnimationCompat.AnimatorListenerAdapterProxy;
import org.telegram.android.AnimationCompat.AnimatorSetProxy;
import org.telegram.android.AnimationCompat.ObjectAnimatorProxy;
import org.telegram.PhoneFormat.PhoneFormat; import org.telegram.PhoneFormat.PhoneFormat;
import org.telegram.android.MediaController; import org.telegram.android.MediaController;
import org.telegram.android.UserObject;
import org.telegram.messenger.ApplicationLoader; import org.telegram.messenger.ApplicationLoader;
import org.telegram.messenger.BuildVars; import org.telegram.messenger.BuildVars;
import org.telegram.android.LocaleController; import org.telegram.android.LocaleController;
@ -96,6 +102,7 @@ public class SettingsActivity extends BaseFragment implements NotificationCenter
private TextView nameTextView; private TextView nameTextView;
private TextView onlineTextView; private TextView onlineTextView;
private ImageView writeButton; private ImageView writeButton;
private AnimatorSetProxy writeButtonAnimation;
private AvatarUpdater avatarUpdater = new AvatarUpdater(); private AvatarUpdater avatarUpdater = new AvatarUpdater();
private int overscrollRow; private int overscrollRow;
@ -311,7 +318,34 @@ public class SettingsActivity extends BaseFragment implements NotificationCenter
listAdapter = new ListAdapter(context); listAdapter = new ListAdapter(context);
fragmentView = new FrameLayout(context); fragmentView = new FrameLayout(context) {
@Override
protected boolean drawChild(Canvas canvas, View child, long drawingTime) {
if (child == listView) {
boolean result = super.drawChild(canvas, child, drawingTime);
if (parentLayout != null) {
int actionBarHeight = 0;
int childCount = getChildCount();
for (int a = 0; a < childCount; a++) {
View view = getChildAt(a);
if (view == child) {
continue;
}
if (view instanceof ActionBar && view.getVisibility() == VISIBLE) {
if (((ActionBar) view).getCastShadows()) {
actionBarHeight = view.getMeasuredHeight();
}
break;
}
}
parentLayout.drawHeaderShadow(canvas, actionBarHeight);
}
return result;
} else {
return super.drawChild(canvas, child, drawingTime);
}
}
};
FrameLayout frameLayout = (FrameLayout) fragmentView; FrameLayout frameLayout = (FrameLayout) fragmentView;
avatarImage = new BackupImageView(context); avatarImage = new BackupImageView(context);
@ -882,10 +916,52 @@ public class SettingsActivity extends BaseFragment implements NotificationCenter
layoutParams = (FrameLayout.LayoutParams) writeButton.getLayoutParams(); layoutParams = (FrameLayout.LayoutParams) writeButton.getLayoutParams();
layoutParams.topMargin = (actionBar.getOccupyStatusBar() ? AndroidUtilities.statusBarHeight : 0) + AndroidUtilities.getCurrentActionBarHeight() + actionBar.getExtraHeight() - AndroidUtilities.dp(29.5f); layoutParams.topMargin = (actionBar.getOccupyStatusBar() ? AndroidUtilities.statusBarHeight : 0) + AndroidUtilities.getCurrentActionBarHeight() + actionBar.getExtraHeight() - AndroidUtilities.dp(29.5f);
writeButton.setLayoutParams(layoutParams); writeButton.setLayoutParams(layoutParams);
ViewProxy.setAlpha(writeButton, diff);
writeButton.setVisibility(diff <= 0.02 ? View.GONE : View.VISIBLE); //ViewProxy.setScaleX(writeButton, diff > 0.2f ? 1.0f : diff / 0.2f);
if (writeButton.getVisibility() == View.GONE) { //ViewProxy.setScaleY(writeButton, diff > 0.2f ? 1.0f : diff / 0.2f);
writeButton.clearAnimation(); //ViewProxy.setAlpha(writeButton, diff > 0.2f ? 1.0f : diff / 0.2f);
final boolean setVisible = diff > 0.2f;
boolean currentVisible = writeButton.getTag() == null;
if (setVisible != currentVisible) {
if (setVisible) {
writeButton.setTag(null);
writeButton.setVisibility(View.VISIBLE);
} else {
writeButton.setTag(0);
}
if (writeButtonAnimation != null) {
AnimatorSetProxy old = writeButtonAnimation;
writeButtonAnimation = null;
old.cancel();
}
writeButtonAnimation = new AnimatorSetProxy();
if (setVisible) {
writeButtonAnimation.setInterpolator(new DecelerateInterpolator());
writeButtonAnimation.playTogether(
ObjectAnimatorProxy.ofFloat(writeButton, "scaleX", 1.0f),
ObjectAnimatorProxy.ofFloat(writeButton, "scaleY", 1.0f),
ObjectAnimatorProxy.ofFloat(writeButton, "alpha", 1.0f)
);
} else {
writeButtonAnimation.setInterpolator(new AccelerateInterpolator());
writeButtonAnimation.playTogether(
ObjectAnimatorProxy.ofFloat(writeButton, "scaleX", 0.2f),
ObjectAnimatorProxy.ofFloat(writeButton, "scaleY", 0.2f),
ObjectAnimatorProxy.ofFloat(writeButton, "alpha", 0.0f)
);
}
writeButtonAnimation.setDuration(150);
writeButtonAnimation.addListener(new AnimatorListenerAdapterProxy() {
@Override
public void onAnimationEnd(Object animation) {
if (writeButtonAnimation != null && writeButtonAnimation.equals(animation)) {
writeButton.clearAnimation();
writeButton.setVisibility(setVisible ? View.VISIBLE : View.GONE);
writeButtonAnimation = null;
}
}
});
writeButtonAnimation.start();
} }
avatarImage.setRoundRadius(AndroidUtilities.dp(avatarSize / 2)); avatarImage.setRoundRadius(AndroidUtilities.dp(avatarSize / 2));
@ -926,7 +1002,7 @@ public class SettingsActivity extends BaseFragment implements NotificationCenter
needLayout(); needLayout();
fragmentView.getViewTreeObserver().removeOnPreDrawListener(this); fragmentView.getViewTreeObserver().removeOnPreDrawListener(this);
} }
return false; return true;
} }
}); });
} }
@ -945,7 +1021,7 @@ public class SettingsActivity extends BaseFragment implements NotificationCenter
avatarImage.setImage(photo, "50_50", avatarDrawable); avatarImage.setImage(photo, "50_50", avatarDrawable);
avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false); avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false);
nameTextView.setText(ContactsController.formatName(user.first_name, user.last_name)); nameTextView.setText(UserObject.getUserName(user));
onlineTextView.setText(LocaleController.getString("Online", R.string.Online)); onlineTextView.setText(LocaleController.getString("Online", R.string.Online));
avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false); avatarImage.getImageReceiver().setVisible(!PhotoViewer.getInstance().isShowingImage(photoBig), false);

View File

@ -99,18 +99,18 @@ public class StickersActivity extends BaseFragment implements NotificationCenter
@Override @Override
public void onItemClick(AdapterView<?> adapterView, View view, final int i, long l) { public void onItemClick(AdapterView<?> adapterView, View view, final int i, long l) {
if (i >= stickersStartRow && i < stickersEndRow && getParentActivity() != null) { if (i >= stickersStartRow && i < stickersEndRow && getParentActivity() != null) {
final TLRPC.TL_stickerSet stickerSet = StickersQuery.getStickerSets().get(i); final TLRPC.TL_messages_stickerSet stickerSet = StickersQuery.getStickerSets().get(i);
ArrayList<TLRPC.Document> stickers = StickersQuery.getStickersForSet(stickerSet.id); ArrayList<TLRPC.Document> stickers = stickerSet.documents;
if (stickers == null) { if (stickers == null || stickers.isEmpty()) {
return; return;
} }
StickersAlert alert = new StickersAlert(getParentActivity(), stickerSet, stickers); StickersAlert alert = new StickersAlert(getParentActivity(), stickerSet);
alert.setButton(AlertDialog.BUTTON_NEGATIVE, LocaleController.getString("Close", R.string.Close), (Message) null); alert.setButton(AlertDialog.BUTTON_NEGATIVE, LocaleController.getString("Close", R.string.Close), (Message) null);
if (stickerSet.id != -1) { if ((stickerSet.set.flags & 4) == 0) {
alert.setButton(AlertDialog.BUTTON_NEUTRAL, LocaleController.getString("StickersRemove", R.string.StickersRemove), new DialogInterface.OnClickListener() { alert.setButton(AlertDialog.BUTTON_NEUTRAL, LocaleController.getString("StickersRemove", R.string.StickersRemove), new DialogInterface.OnClickListener() {
@Override @Override
public void onClick(DialogInterface dialog, int which) { public void onClick(DialogInterface dialog, int which) {
StickersQuery.removeStickersSet(getParentActivity(), stickerSet); StickersQuery.removeStickersSet(getParentActivity(), stickerSet.set, 0);
} }
}); });
} }
@ -132,7 +132,7 @@ public class StickersActivity extends BaseFragment implements NotificationCenter
private void updateRows() { private void updateRows() {
rowCount = 0; rowCount = 0;
ArrayList<TLRPC.TL_stickerSet> stickerSets = StickersQuery.getStickerSets(); ArrayList<TLRPC.TL_messages_stickerSet> stickerSets = StickersQuery.getStickerSets();
if (!stickerSets.isEmpty()) { if (!stickerSets.isEmpty()) {
stickersStartRow = 0; stickersStartRow = 0;
stickersEndRow = stickerSets.size(); stickersEndRow = stickerSets.size();
@ -192,6 +192,37 @@ public class StickersActivity extends BaseFragment implements NotificationCenter
return false; return false;
} }
private void processSelectionOption(int which, TLRPC.TL_messages_stickerSet stickerSet) {
if (which == 0) {
StickersQuery.removeStickersSet(getParentActivity(), stickerSet.set, (stickerSet.set.flags & 2) == 0 ? 1 : 2);
} else if (which == 1) {
StickersQuery.removeStickersSet(getParentActivity(), stickerSet.set, 0);
} else if (which == 2) {
try {
Intent intent = new Intent(Intent.ACTION_SEND);
intent.setType("text/plain");
intent.putExtra(Intent.EXTRA_TEXT, String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.set.short_name));
getParentActivity().startActivityForResult(Intent.createChooser(intent, LocaleController.getString("StickersShare", R.string.StickersShare)), 500);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} else if (which == 3) {
try {
if (Build.VERSION.SDK_INT < 11) {
android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
clipboard.setText(String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.set.short_name));
} else {
android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
android.content.ClipData clip = android.content.ClipData.newPlainText("label", String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.set.short_name));
clipboard.setPrimaryClip(clip);
}
Toast.makeText(getParentActivity(), LocaleController.getString("LinkCopied", R.string.LinkCopied), Toast.LENGTH_SHORT).show();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
}
@Override @Override
public View getView(int i, View view, ViewGroup viewGroup) { public View getView(int i, View view, ViewGroup viewGroup) {
int type = getItemViewType(i); int type = getItemViewType(i);
@ -203,17 +234,22 @@ public class StickersActivity extends BaseFragment implements NotificationCenter
@Override @Override
public void onClick(View v) { public void onClick(View v) {
StickerSetCell cell = (StickerSetCell) v.getParent(); StickerSetCell cell = (StickerSetCell) v.getParent();
final TLRPC.TL_stickerSet stickerSet = cell.getStickersSet(); final TLRPC.TL_messages_stickerSet stickerSet = cell.getStickersSet();
AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity()); AlertDialog.Builder builder = new AlertDialog.Builder(getParentActivity());
builder.setTitle(stickerSet.set.title);
CharSequence[] items; CharSequence[] items;
if (stickerSet.id == -1) { final int[] options;
builder.setTitle(LocaleController.getString("GeniusStickerPackName", R.string.GeniusStickerPackName)); if ((stickerSet.set.flags & 4) != 0) {
options = new int[]{0, 2, 3};
items = new CharSequence[]{ items = new CharSequence[]{
StickersQuery.getHideMainStickersPack() ? LocaleController.getString("StickersShow", R.string.StickersShow) : LocaleController.getString("StickersHide", R.string.StickersHide) (stickerSet.set.flags & 2) == 0 ? LocaleController.getString("StickersHide", R.string.StickersHide) : LocaleController.getString("StickersShow", R.string.StickersShow),
LocaleController.getString("StickersShare", R.string.StickersShare),
LocaleController.getString("StickersCopy", R.string.StickersCopy),
}; };
} else { } else {
builder.setTitle(stickerSet.title); options = new int[]{0, 1, 2, 3};
items = new CharSequence[]{ items = new CharSequence[]{
(stickerSet.set.flags & 2) == 0 ? LocaleController.getString("StickersHide", R.string.StickersHide) : LocaleController.getString("StickersShow", R.string.StickersShow),
LocaleController.getString("StickersRemove", R.string.StickersRemove), LocaleController.getString("StickersRemove", R.string.StickersRemove),
LocaleController.getString("StickersShare", R.string.StickersShare), LocaleController.getString("StickersShare", R.string.StickersShare),
LocaleController.getString("StickersCopy", R.string.StickersCopy), LocaleController.getString("StickersCopy", R.string.StickersCopy),
@ -222,46 +258,14 @@ public class StickersActivity extends BaseFragment implements NotificationCenter
builder.setItems(items, new DialogInterface.OnClickListener() { builder.setItems(items, new DialogInterface.OnClickListener() {
@Override @Override
public void onClick(DialogInterface dialog, int which) { public void onClick(DialogInterface dialog, int which) {
if (which == 0) { processSelectionOption(options[which], stickerSet);
if (stickerSet.id == -1) {
StickersQuery.setHideMainStickersPack(!StickersQuery.getHideMainStickersPack());
listAdapter.notifyDataSetChanged();
StickersQuery.loadStickers(true, false);
} else {
StickersQuery.removeStickersSet(getParentActivity(), stickerSet);
}
} else if (which == 1) {
try {
Intent intent = new Intent(Intent.ACTION_SEND);
intent.setType("text/plain");
intent.putExtra(Intent.EXTRA_TEXT, String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.short_name));
getParentActivity().startActivityForResult(Intent.createChooser(intent, LocaleController.getString("StickersShare", R.string.StickersShare)), 500);
} catch (Exception e) {
FileLog.e("tmessages", e);
}
} else if (which == 2) {
try {
if (Build.VERSION.SDK_INT < 11) {
android.text.ClipboardManager clipboard = (android.text.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
clipboard.setText(String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.short_name));
} else {
android.content.ClipboardManager clipboard = (android.content.ClipboardManager) ApplicationLoader.applicationContext.getSystemService(Context.CLIPBOARD_SERVICE);
android.content.ClipData clip = android.content.ClipData.newPlainText("label", String.format(Locale.US, "https://telegram.me/addstickers/%s", stickerSet.short_name));
clipboard.setPrimaryClip(clip);
}
Toast.makeText(getParentActivity(), LocaleController.getString("LinkCopied", R.string.LinkCopied), Toast.LENGTH_SHORT).show();
} catch (Exception e) {
FileLog.e("tmessages", e);
}
}
} }
}); });
//builder.setNegativeButton(LocaleController.getString("Cancel", R.string.Cancel), null);
showDialog(builder.create()); showDialog(builder.create());
} }
}); });
} }
ArrayList<TLRPC.TL_stickerSet> arrayList = StickersQuery.getStickerSets(); ArrayList<TLRPC.TL_messages_stickerSet> arrayList = StickersQuery.getStickerSets();
((StickerSetCell) view).setStickersSet(arrayList.get(i), i != arrayList.size() - 1); ((StickerSetCell) view).setStickersSet(arrayList.get(i), i != arrayList.size() - 1);
} else if (type == 1) { } else if (type == 1) {
if (view == null) { if (view == null) {

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.3 KiB

Some files were not shown because too many files have changed in this diff Show More