src_fm_fc_ms_ff
stringlengths 43
86.8k
| target
stringlengths 20
276k
|
---|---|
DefaultValidator extends AbstractValidator { @Override public List<Message> getErrors() { return messages.getErrors(); } protected DefaultValidator(); @Inject DefaultValidator(Result result, ValidationViewsFactory factory, Outjector outjector, Proxifier proxifier,
ResourceBundle bundle, javax.validation.Validator bvalidator, MessageInterpolator interpolator, Locale locale,
Messages messages); @Override Validator check(boolean condition, Message message); @Override Validator ensure(boolean expression, Message message); @Override Validator addIf(boolean expression, Message message); @Override Validator validate(Object object, Class<?>... groups); @Override Validator validate(String alias, Object object, Class<?>... groups); @Override Validator add(Message message); @Override Validator addAll(Collection<? extends Message> messages); @Override Validator addAll(Set<ConstraintViolation<T>> errors); @Override Validator addAll(String alias, Set<ConstraintViolation<T>> errors); @Override T onErrorUse(Class<T> view); @Override boolean hasErrors(); @Override List<Message> getErrors(); } | @Test public void shouldNotRedirectIfHasNotErrors() { try { validator.onErrorRedirectTo(MyComponent.class).logic(); assertThat(validator.getErrors(), hasSize(0)); verify(outjector, never()).outjectRequestMap(); } catch (ValidationException e) { fail("no error occurs"); } } |
DefaultValidator extends AbstractValidator { @Override public Validator addAll(Collection<? extends Message> messages) { for (Message message : messages) { add(message); } return this; } protected DefaultValidator(); @Inject DefaultValidator(Result result, ValidationViewsFactory factory, Outjector outjector, Proxifier proxifier,
ResourceBundle bundle, javax.validation.Validator bvalidator, MessageInterpolator interpolator, Locale locale,
Messages messages); @Override Validator check(boolean condition, Message message); @Override Validator ensure(boolean expression, Message message); @Override Validator addIf(boolean expression, Message message); @Override Validator validate(Object object, Class<?>... groups); @Override Validator validate(String alias, Object object, Class<?>... groups); @Override Validator add(Message message); @Override Validator addAll(Collection<? extends Message> messages); @Override Validator addAll(Set<ConstraintViolation<T>> errors); @Override Validator addAll(String alias, Set<ConstraintViolation<T>> errors); @Override T onErrorUse(Class<T> view); @Override boolean hasErrors(); @Override List<Message> getErrors(); } | @Test public void testThatValidatorGoToRedirectsToTheErrorPageImmediatellyAndNotBeforeThis() { try { validator.addAll(Arrays.asList(new SimpleMessage("test", "test"))); when(pageResult.of(MyComponent.class)).thenReturn(instance); validator.onErrorUsePageOf(MyComponent.class).logic(); fail("should stop flow"); } catch (ValidationException e) { verify(instance).logic(); } } |
Messages implements Serializable { public void assertAbsenceOfErrors() { if (hasUnhandledErrors()) { log.debug("Some validation errors occured: {}", getErrors()); throw new ValidationFailedException( "There are validation errors and you forgot to specify where to go. Please add in your method " + "something like:\n" + "validator.onErrorUse(page()).of(AnyController.class).anyMethod();\n" + "or any view that you like.\n" + "If you didn't add any validation error, it is possible that a conversion error had happened."); } } Messages add(Message message); List<Message> getErrors(); List<Message> getInfo(); List<Message> getWarnings(); List<Message> getSuccess(); List<Message> getAll(); List<Message> handleErrors(); boolean hasUnhandledErrors(); void assertAbsenceOfErrors(); } | @Test public void shouldNotThrowExceptionIfMessagesHasNoErrors() { messages.assertAbsenceOfErrors(); } |
Messages implements Serializable { public Messages add(Message message) { get(message.getSeverity()).add(message); if(Severity.ERROR.equals(message.getSeverity())) { unhandledErrors = true; } return this; } Messages add(Message message); List<Message> getErrors(); List<Message> getInfo(); List<Message> getWarnings(); List<Message> getSuccess(); List<Message> getAll(); List<Message> handleErrors(); boolean hasUnhandledErrors(); void assertAbsenceOfErrors(); } | @Test public void testElExpressionGettingMessagesByCaegory() { messages.add(new SimpleMessage("client.id", "will generated", Severity.INFO)); messages.add(new SimpleMessage("client.name", "not null")); messages.add(new SimpleMessage("client.name", "not empty")); ELProcessor el = new ELProcessor(); el.defineBean("messages", messages); String result = el.eval("messages.errors.from('client.name')").toString(); assertThat(result, is("not null, not empty")); result = el.eval("messages.errors.from('client.name').join(' - ')").toString(); assertThat(result, is("not null - not empty")); result = el.eval("messages.errors.from('client.id')").toString(); assertThat(result, isEmptyString()); result = el.eval("messages.info.from('client.id')").toString(); assertThat(result, is("will generated")); } |
DateConverter implements Converter<Date> { @Override public Date convert(String value, Class<? extends Date> type) { if (isNullOrEmpty(value)) { return null; } try { return getDateFormat().parse(value); } catch (ParseException pe) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected DateConverter(); @Inject DateConverter(Locale locale); @Override Date convert(String value, Class<? extends Date> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvert() throws ParseException { assertThat(converter.convert("10/06/2008", Date.class), is(equalTo(new SimpleDateFormat("dd/MM/yyyy") .parse("10/06/2008")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", Date.class), is(nullValue())); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, Date.class), is(nullValue())); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("a,10/06/2008/a/b/c is not a valid date.")); converter.convert("a,10/06/2008/a/b/c", Date.class); } |
PrimitiveLongConverter implements Converter<Long> { @Override public Long convert(String value, Class<? extends Long> type) { if (isNullOrEmpty(value)) { return 0L; } try { return Long.parseLong(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Long convert(String value, Class<? extends Long> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("2", long.class), is(equalTo(2L))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", long.class); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, long.class), is(equalTo(0L))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", long.class), is(equalTo(0L))); } |
PrimitiveBooleanConverter implements Converter<Boolean> { @Override public Boolean convert(String value, Class<? extends Boolean> type) { if (isNullOrEmpty(value)) { return false; } return booleanConverter.convert(value, type); } protected PrimitiveBooleanConverter(); @Inject PrimitiveBooleanConverter(BooleanConverter converter); @Override Boolean convert(String value, Class<? extends Boolean> type); } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("", boolean.class), is(equalTo(false))); assertThat(converter.convert("false", boolean.class), is(equalTo(false))); assertThat(converter.convert("true", boolean.class), is(equalTo(true))); assertThat(converter.convert("True", boolean.class), is(equalTo(true))); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, boolean.class), is(equalTo(false))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", boolean.class), is(equalTo(false))); }
@Test public void shouldConvertYesNo() { assertThat(converter.convert("yes", boolean.class), is(equalTo(true))); assertThat(converter.convert("no", boolean.class), is(equalTo(false))); }
@Test public void shouldConvertYN() { assertThat(converter.convert("y", boolean.class), is(equalTo(true))); assertThat(converter.convert("n", boolean.class), is(equalTo(false))); }
@Test public void shouldConvertOnOff() { assertThat(converter.convert("on", boolean.class), is(equalTo(true))); assertThat(converter.convert("off", boolean.class), is(equalTo(false))); }
@Test public void shouldConvertIgnoringCase() { assertThat(converter.convert("truE", boolean.class), is(equalTo(true))); assertThat(converter.convert("FALSE", boolean.class), is(equalTo(false))); assertThat(converter.convert("On", boolean.class), is(equalTo(true))); assertThat(converter.convert("oFf", boolean.class), is(equalTo(false))); }
@Test public void shouldThrowExceptionForInvalidString() { exception.expect(hasConversionException("NOT A BOOLEAN! is not a valid boolean. Please use true/false, yes/no, y/n or on/off")); converter.convert("not a boolean!", boolean.class); } |
CalendarConverter implements Converter<Calendar> { @Override public Calendar convert(String value, Class<? extends Calendar> type) { if (isNullOrEmpty(value)) { return null; } try { Date date = getDateFormat().parse(value); Calendar calendar = Calendar.getInstance(locale); calendar.setTime(date); return calendar; } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected CalendarConverter(); @Inject CalendarConverter(Locale locale); @Override Calendar convert(String value, Class<? extends Calendar> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvert() { Calendar expected = Calendar.getInstance(new Locale("pt", "BR")); expected.set(2008, 5, 10, 0, 0, 0); expected.set(Calendar.MILLISECOND, 0); assertThat(converter.convert("10/06/2008", Calendar.class), is(equalTo(expected))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", Calendar.class), is(nullValue())); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, Calendar.class), is(nullValue())); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("a,10/06/2008/a/b/c is not a valid date.")); converter.convert("a,10/06/2008/a/b/c", Calendar.class); } |
PrimitiveByteConverter implements Converter<Byte> { @Override public Byte convert(String value, Class<? extends Byte> type) { if (isNullOrEmpty(value)) { return (byte) 0; } try { return Byte.parseByte(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Byte convert(String value, Class<? extends Byte> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("7", byte.class), is(equalTo((byte) 7))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", byte.class); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, byte.class), is(equalTo((byte) 0))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", byte.class), is(equalTo((byte) 0))); } |
LongConverter implements Converter<Long> { @Override public Long convert(String value, Class<? extends Long> type) { if (isNullOrEmpty(value)) { return null; } try { return Long.valueOf(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Long convert(String value, Class<? extends Long> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers(){ assertThat(converter.convert("2", long.class), is(equalTo(2L))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", long.class); }
@Test public void shouldNotComplainAboutNull() { assertThat(converter.convert(null, long.class), is(nullValue())); }
@Test public void shouldNotComplainAboutEmpty() { assertThat(converter.convert("", long.class), is(nullValue())); } |
PrimitiveFloatConverter implements Converter<Float> { @Override public Float convert(String value, Class<? extends Float> type) { if (isNullOrEmpty(value)) { return 0f; } try { return getNumberFormat().parse(value).floatValue(); } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected PrimitiveFloatConverter(); @Inject PrimitiveFloatConverter(Locale locale); @Override Float convert(String value, Class<? extends Float> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertWithPTBR() { assertThat(converter.convert("10,00", float.class), is(equalTo(Float.parseFloat("10.00")))); assertThat(converter.convert("10,01", float.class), is(equalTo(Float.parseFloat("10.01")))); }
@Test public void shouldBeAbleToConvertWithENUS() { converter = new PrimitiveFloatConverter(new Locale("en", "US")); assertThat(converter.convert("10.00", float.class), is(equalTo(Float.parseFloat("10.00")))); assertThat(converter.convert("10.01", float.class), is(equalTo(Float.parseFloat("10.01")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", float.class), is(equalTo(0f))); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, float.class), is(equalTo(0f))); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("vr3.9 is not a valid number.")); converter.convert("vr3.9", float.class); } |
CharacterConverter implements Converter<Character> { @Override public Character convert(String value, Class<? extends Character> type) { if (isNullOrEmpty(value)) { return null; } if (value.length() != 1) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } return value.charAt(0); } @Override Character convert(String value, Class<? extends Character> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertCharacters() { assertThat(converter.convert("Z", Character.class), is(equalTo('Z'))); }
@Test public void shouldComplainAboutStringTooBig() { exception.expect(hasConversionException("--- is not a valid character.")); converter.convert("---", Character.class); }
@Test public void shouldNotComplainAboutNullAndEmpty() { assertThat(converter.convert(null, Character.class), is(nullValue())); assertThat(converter.convert("", Character.class), is(nullValue())); } |
PrimitiveShortConverter implements Converter<Short> { @Override public Short convert(String value, Class<? extends Short> type) { if (isNullOrEmpty(value)) { return (short) 0; } try { return Short.parseShort(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Short convert(String value, Class<? extends Short> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers(){ assertThat(converter.convert("5", short.class), is(equalTo((short) 5))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", short.class); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, short.class), is(equalTo((short) 0))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", short.class), is(equalTo((short) 0))); } |
PrimitiveIntConverter implements Converter<Integer> { @Override public Integer convert(String value, Class<? extends Integer> type) { if (isNullOrEmpty(value)) { return 0; } try { return Integer.parseInt(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Integer convert(String value, Class<? extends Integer> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("2", int.class), is(equalTo(2))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", int.class); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, int.class), is(equalTo(0))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", int.class), is(equalTo(0))); } |
ByteConverter implements Converter<Byte> { @Override public Byte convert(String value, Class<? extends Byte> type) { if (isNullOrEmpty(value)) { return null; } try { return Byte.valueOf(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Byte convert(String value, Class<? extends Byte> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("2", Byte.class), is(equalTo((byte) 2))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", Byte.class); }
@Test public void shouldNotComplainAboutNull() { assertThat(converter.convert(null, Byte.class), is(nullValue())); }
@Test public void shouldNotComplainAboutEmpty() { assertThat(converter.convert("", Byte.class), is(nullValue())); } |
PrimitiveCharConverter implements Converter<Character> { @Override public Character convert(String value, Class<? extends Character> type) { if (isNullOrEmpty(value)) { return '\u0000'; } if (value.length() != 1) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } return value.charAt(0); } @Override Character convert(String value, Class<? extends Character> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("r", char.class), is(equalTo('r'))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid character.")); converter.convert("---", char.class); }
@Test public void shouldConvertToZeroWhenNull() { assertThat(converter.convert(null, char.class), is(equalTo('\u0000'))); }
@Test public void shouldConvertToZeroWhenEmpty() { assertThat(converter.convert("", char.class), is(equalTo('\u0000'))); } |
BigDecimalConverter implements Converter<BigDecimal> { @Override public BigDecimal convert(String value, Class<? extends BigDecimal> type) { if (isNullOrEmpty(value)) { return null; } try { return (BigDecimal) getNumberFormat().parse(value); } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected BigDecimalConverter(); @Inject BigDecimalConverter(Locale locale); @Override BigDecimal convert(String value, Class<? extends BigDecimal> type); } | @Test public void shouldBeAbleToConvertWithPTBR() { assertThat(converter.convert("10,00", BigDecimal.class), is(equalTo(new BigDecimal("10.00")))); assertThat(converter.convert("10,01", BigDecimal.class), is(equalTo(new BigDecimal("10.01")))); }
@Test public void shouldBeAbleToConvertWithENUS() { converter = new BigDecimalConverter(new Locale("en", "US")); assertThat(converter.convert("10.00", BigDecimal.class), is(equalTo(new BigDecimal("10.00")))); assertThat(converter.convert("10.01", BigDecimal.class), is(equalTo(new BigDecimal("10.01")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", BigDecimal.class), is(nullValue())); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, BigDecimal.class), is(nullValue())); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("vr3.9 is not a valid number.")); converter.convert("vr3.9", BigDecimal.class); } |
IntegerConverter implements Converter<Integer> { @Override public Integer convert(String value, Class<? extends Integer> type) { if (isNullOrEmpty(value)) { return null; } try { return Integer.valueOf(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Integer convert(String value, Class<? extends Integer> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("2", Integer.class), is(equalTo(2))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", Integer.class); }
@Test public void shouldNotComplainAboutNull() { assertThat(converter.convert(null, Integer.class), is(nullValue())); }
@Test public void shouldNotComplainAboutEmpty() { assertThat(converter.convert("", Integer.class), is(nullValue())); } |
BigIntegerConverter implements Converter<BigInteger> { @Override public BigInteger convert(String value, Class<? extends BigInteger> type) { if (isNullOrEmpty(value)) { return null; } try { return new BigInteger(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override BigInteger convert(String value, Class<? extends BigInteger> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertIntegerNumbers() { assertThat(converter.convert("3", BigInteger.class), is(equalTo(new BigInteger("3")))); }
@Test public void shouldComplainAboutNonIntegerNumbers() { exception.expect(hasConversionException("2.3 is not a valid number.")); converter.convert("2.3", BigInteger.class); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", BigInteger.class); }
@Test public void shouldNotComplainAboutNull() { assertThat(converter.convert(null, BigInteger.class), is(nullValue())); }
@Test public void shouldNotComplainAboutEmpty() { assertThat(converter.convert("", BigInteger.class), is(nullValue())); } |
DoubleConverter implements Converter<Double> { @Override public Double convert(String value, Class<? extends Double> type) { if (isNullOrEmpty(value)) { return null; } try { return getNumberFormat().parse(value).doubleValue(); } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected DoubleConverter(); @Inject DoubleConverter(Locale locale); @Override Double convert(String value, Class<? extends Double> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertWithPTBR() { assertThat(converter.convert("10,00", Double.class), is(equalTo(new Double("10.00")))); assertThat(converter.convert("10,01", Double.class), is(equalTo(new Double("10.01")))); }
@Test public void shouldBeAbleToConvertWithENUS() { converter = new DoubleConverter(new Locale("en", "US")); assertThat(converter.convert("10.00", Double.class), is(equalTo(new Double("10.00")))); assertThat(converter.convert("10.01", Double.class), is(equalTo(new Double("10.01")))); }
@Test public void shouldBeAbleToConvertWithGroupingAndPTBR() { assertThat(converter.convert("1.000.000,00", Double.class), is(equalTo(new Double("1000000.00")))); assertThat(converter.convert("1.001.000,01", Double.class), is(equalTo(new Double("1001000.01")))); }
@Test public void shouldBeAbleToConvertWithGroupingAndENUS() { converter = new DoubleConverter(new Locale("en", "US")); assertThat(converter.convert("1,000,000.00", Double.class), is(equalTo(new Double("1000000.00")))); assertThat(converter.convert("1,001,000.01", Double.class), is(equalTo(new Double("1001000.01")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", Double.class), is(nullValue())); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, Double.class), is(nullValue())); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("vr3.9 is not a valid number.")); converter.convert("vr3.9", Double.class); } |
BooleanConverter implements Converter<Boolean> { @Override public Boolean convert(String value, Class<? extends Boolean> type) { if (isNullOrEmpty(value)) { return null; } value = value.toUpperCase(); if (matches(IS_TRUE, value)) { return true; } else if (matches(IS_FALSE, value)) { return false; } throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } @Override Boolean convert(String value, Class<? extends Boolean> type); } | @Test public void shouldBeAbleToConvertTrueAndFalse(){ assertThat(converter.convert("true", Boolean.class), is(equalTo(true))); assertThat(converter.convert("false", Boolean.class), is(equalTo(false))); }
@Test public void shouldConvertEmptyToNull() { assertThat(converter.convert("", Boolean.class), is(nullValue())); }
@Test public void shouldNotComplainAboutNull() { assertThat(converter.convert(null, Boolean.class), is(nullValue())); }
@Test public void shouldConvertYesNo() { assertThat(converter.convert("yes", Boolean.class), is(equalTo(true))); assertThat(converter.convert("no", Boolean.class), is(equalTo(false))); }
@Test public void shouldConvertYN() { assertThat(converter.convert("y", Boolean.class), is(equalTo(true))); assertThat(converter.convert("n", Boolean.class), is(equalTo(false))); }
@Test public void shouldConvertOnOff() { assertThat(converter.convert("on", Boolean.class), is(equalTo(true))); assertThat(converter.convert("off", Boolean.class), is(equalTo(false))); }
@Test public void shouldConvertIgnoringCase() { assertThat(converter.convert("truE", Boolean.class), is(equalTo(true))); assertThat(converter.convert("FALSE", Boolean.class), is(equalTo(false))); assertThat(converter.convert("On", Boolean.class), is(equalTo(true))); assertThat(converter.convert("oFf", Boolean.class), is(equalTo(false))); }
@Test public void shouldThrowExceptionForInvalidString() { exception.expect(hasConversionException("NOT A BOOLEAN! is not a valid boolean. Please use true/false, yes/no, y/n or on/off")); converter.convert("not a boolean!", Boolean.class); } |
FloatConverter implements Converter<Float> { @Override public Float convert(String value, Class<? extends Float> type) { if (isNullOrEmpty(value)) { return null; } try { return getNumberFormat().parse(value).floatValue(); } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } protected FloatConverter(); @Inject FloatConverter(Locale locale); @Override Float convert(String value, Class<? extends Float> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertWithPTBR() { assertThat(converter.convert("10,00", Float.class), is(equalTo(new Float("10.00")))); assertThat(converter.convert("10,01", Float.class), is(equalTo(new Float("10.01")))); }
@Test public void shouldBeAbleToConvertWithENUS() { converter = new FloatConverter(new Locale("en", "US")); assertThat(converter.convert("10.00", Float.class), is(equalTo(new Float("10.00")))); assertThat(converter.convert("10.01", Float.class), is(equalTo(new Float("10.01")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", Float.class), is(nullValue())); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, Float.class), is(nullValue())); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("vr3.9 is not a valid number.")); converter.convert("vr3.9", Float.class); } |
ShortConverter implements Converter<Short> { @Override public Short convert(String value, Class<? extends Short> type) { if (isNullOrEmpty(value)) { return null; } try { return Short.valueOf(value); } catch (NumberFormatException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } @Override Short convert(String value, Class<? extends Short> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertNumbers() { assertThat(converter.convert("2", Short.class), is(equalTo((short) 2))); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("--- is not a valid number.")); converter.convert("---", Short.class); }
@Test public void shouldComplainAboutNull() { assertThat(converter.convert(null, Short.class), is(nullValue())); }
@Test public void shouldComplainAboutEmpty() { assertThat(converter.convert("", Short.class), is(nullValue())); } |
EnumConverter implements Converter { @Override public Object convert(String value, Class type) { if (isNullOrEmpty(value)) { return null; } if (Character.isDigit(value.charAt(0))) { return resolveByOrdinal(value, type); } else { return resolveByName(value, type); } } @Override Object convert(String value, Class type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertByOrdinal() { Enum value = converter.convert("1", MyCustomEnum.class); MyCustomEnum second = MyCustomEnum.SECOND; assertEquals(value, second); }
@Test public void shouldBeAbleToConvertByName() { Enum value = converter.convert("FIRST", MyCustomEnum.class); MyCustomEnum first = MyCustomEnum.FIRST; assertEquals(value, first); }
@Test public void shouldConvertEmptyToNull() { assertThat(converter.convert("", MyCustomEnum.class), is(nullValue())); }
@Test public void shouldComplainAboutInvalidIndex() { exception.expect(hasConversionException("3200 is not a valid option.")); converter.convert("3200", MyCustomEnum.class); }
@Test public void shouldComplainAboutInvalidNumber() { exception.expect(hasConversionException("32a00 is not a valid option.")); converter.convert("32a00", MyCustomEnum.class); }
@Test public void shouldComplainAboutInvalidOrdinal() { exception.expect(hasConversionException("THIRD is not a valid option.")); converter.convert("THIRD", MyCustomEnum.class); }
@Test public void shouldAcceptNull() { assertThat(converter.convert(null, MyCustomEnum.class), is(nullValue())); } |
PrimitiveDoubleConverter implements Converter<Double> { @Override public Double convert(String value, Class<? extends Double> type) { if (isNullOrEmpty(value)) { return 0d; } try { return getNumberFormat().parse(value).doubleValue(); } catch (ParseException e) { throw new ConversionException(new ConversionMessage(INVALID_MESSAGE_KEY, value)); } } PrimitiveDoubleConverter(); @Inject PrimitiveDoubleConverter(Locale locale); @Override Double convert(String value, Class<? extends Double> type); static final String INVALID_MESSAGE_KEY; } | @Test public void shouldBeAbleToConvertWithPTBR() { assertThat(converter.convert("10,00", double.class), is(equalTo(Double.parseDouble("10.00")))); assertThat(converter.convert("10,01", double.class), is(equalTo(Double.parseDouble("10.01")))); }
@Test public void shouldBeAbleToConvertWithENUS() { converter = new PrimitiveDoubleConverter(new Locale("en", "US")); assertThat(converter.convert("10.00", double.class), is(equalTo(Double.parseDouble("10.00")))); assertThat(converter.convert("10.01", double.class), is(equalTo(Double.parseDouble("10.01")))); }
@Test public void shouldBeAbleToConvertWithGroupingAndPTBR() { assertThat(converter.convert("1.000.000,00", double.class), is(equalTo(Double.parseDouble("1000000.00")))); assertThat(converter.convert("1.001.000,01", double.class), is(equalTo(Double.parseDouble("1001000.01")))); }
@Test public void shouldBeAbleToConvertWithGroupingAndENUS() { converter = new PrimitiveDoubleConverter(new Locale("en", "US")); assertThat(converter.convert("1,000,000.00", double.class), is(equalTo(Double.parseDouble("1000000.00")))); assertThat(converter.convert("1,001,000.01", double.class), is(equalTo(Double.parseDouble("1001000.01")))); }
@Test public void shouldBeAbleToConvertEmpty() { assertThat(converter.convert("", double.class), is(equalTo(0d))); }
@Test public void shouldBeAbleToConvertNull() { assertThat(converter.convert(null, double.class), is(equalTo(0d))); }
@Test public void shouldThrowExceptionWhenUnableToParse() { exception.expect(hasConversionException("vr3.9 is not a valid number.")); converter.convert("vr3.9", double.class); } |
HomeController { @Post @Public public void login(String login, String password) { final User currentUser = dao.find(login, password); validator.check(currentUser != null, new SimpleMessage("login", "invalid_login_or_password")); validator.onErrorUsePageOf(this).login(); userInfo.login(currentUser); result.redirectTo(UsersController.class).home(); } protected HomeController(); @Inject HomeController(UserDao dao, UserInfo userInfo, Result result, Validator validator); @Post @Public void login(String login, String password); void logout(); @Public @Get void login(); @Public @Get void about(); } | @Test public void shouldLoginWhenUserExists() { when(dao.find(user.getLogin(), user.getPassword())).thenReturn(user); controller.login(user.getLogin(), user.getPassword()); assertThat(validator.getErrors(), empty()); }
@Test(expected=ValidationException.class) public void shouldNotLoginWhenUserDoesNotExists() { when(dao.find(user.getLogin(), user.getPassword())).thenReturn(null); controller.login(user.getLogin(), user.getPassword()); }
@Test public void shouldNotLoginWhenUserDoesNotExistsAndHasOneError() { when(dao.find(user.getLogin(), user.getPassword())).thenReturn(null); try { controller.login(user.getLogin(), user.getPassword()); fail("Should throw an exception."); } catch (ValidationException e) { List<Message> errors = e.getErrors(); assertThat(errors, hasSize(1)); assertTrue(errors.contains(new SimpleMessage("login", "invalid_login_or_password"))); } } |
HomeController { public void logout() { userInfo.logout(); result.redirectTo(this).login(); } protected HomeController(); @Inject HomeController(UserDao dao, UserInfo userInfo, Result result, Validator validator); @Post @Public void login(String login, String password); void logout(); @Public @Get void login(); @Public @Get void about(); } | @Test public void shouldLogoutUser() { controller.logout(); verify(userInfo).logout(); } |
UsersController { @Get("/") public void home() { result.include("musicTypes", MusicType.values()); } protected UsersController(); @Inject UsersController(UserDao dao, Result result, Validator validator,
UserInfo userInfo, MusicDao musicDao); @Get("/") void home(); @Get("/users") void list(); @Path("/users") @Post @Public void add(@Valid @LoginAvailable User user); @Path("/users/{user.login}") @Get void show(User user); @Path("/users/{user.login}/musics/{music.id}") @Put void addToMyList(User user, Music music); } | @Test public void shouldOpenHomeWithMusicTypes() { controller.home(); MusicType[] musicsType = (MusicType[]) result.included().get("musicTypes"); assertThat(Arrays.asList(musicsType), hasSize(MusicType.values().length)); } |
UsersController { @Get("/users") public void list() { result.include("users", userDao.listAll()); } protected UsersController(); @Inject UsersController(UserDao dao, Result result, Validator validator,
UserInfo userInfo, MusicDao musicDao); @Get("/") void home(); @Get("/users") void list(); @Path("/users") @Post @Public void add(@Valid @LoginAvailable User user); @Path("/users/{user.login}") @Get void show(User user); @Path("/users/{user.login}/musics/{music.id}") @Put void addToMyList(User user, Music music); } | @SuppressWarnings("unchecked") @Test public void shouldListAllUsers() { when(userDao.listAll()).thenReturn(Arrays.asList(user, anotherUser)); controller.list(); assertThat((List<User>)result.included().get("users"), contains(user, anotherUser)); } |
UsersController { @Path("/users") @Post @Public public void add(@Valid @LoginAvailable User user) { validator.onErrorUsePageOf(HomeController.class).login(); userDao.add(user); result.include("notice", "User " + user.getName() + " successfully added"); result.redirectTo(HomeController.class).login(); } protected UsersController(); @Inject UsersController(UserDao dao, Result result, Validator validator,
UserInfo userInfo, MusicDao musicDao); @Get("/") void home(); @Get("/users") void list(); @Path("/users") @Post @Public void add(@Valid @LoginAvailable User user); @Path("/users/{user.login}") @Get void show(User user); @Path("/users/{user.login}/musics/{music.id}") @Put void addToMyList(User user, Music music); } | @Test public void shouldAddUser() { controller.add(user); verify(userDao).add(user); assertThat(result.included().get("notice").toString(), is("User " + user.getName() + " successfully added")); } |
UsersController { @Path("/users/{user.login}") @Get public void show(User user) { result.include("user", userDao.find(user.getLogin())); result.forwardTo("/WEB-INF/jsp/users/view.jsp"); } protected UsersController(); @Inject UsersController(UserDao dao, Result result, Validator validator,
UserInfo userInfo, MusicDao musicDao); @Get("/") void home(); @Get("/users") void list(); @Path("/users") @Post @Public void add(@Valid @LoginAvailable User user); @Path("/users/{user.login}") @Get void show(User user); @Path("/users/{user.login}/musics/{music.id}") @Put void addToMyList(User user, Music music); } | @Test public void shouldShowUser() { when(userDao.find(user.getLogin())).thenReturn(user); controller.show(user); assertThat((User) result.included().get("user"), is(user)); } |
MusicController { @Path("/musics") @Post public void add(final @NotNull @Valid Music music, UploadedFile file) { validator.onErrorForwardTo(UsersController.class).home(); musicDao.add(music); User currentUser = userInfo.getUser(); userDao.refresh(currentUser); currentUser.add(music); if (file != null) { musics.save(file, music); logger.info("Uploaded file: {}", file.getFileName()); } result.include("notice", music.getTitle() + " music added"); result.redirectTo(UsersController.class).home(); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldAddMusic() { when(userInfo.getUser()).thenReturn(user); controller.add(music, uploadFile); verify(dao).add(music); verify(musics).save(uploadFile, music); assertThat(result.included().get("notice").toString(), is(music.getTitle() + " music added")); } |
MusicController { @Path("/musics/{music.id}") @Get public void show(Music music) { result.include("music", musicDao.load(music)); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldShowMusicWhenExists() { when(dao.load(music)).thenReturn(music); controller.show(music); assertNotNull(result.included().get("music")); assertThat((Music) result.included().get("music"), is(music)); }
@Test public void shouldNotShowMusicWhenDoesNotExists() { when(dao.load(music)).thenReturn(null); controller.show(music); assertNull(result.included().get("music")); } |
VRaptorRequest extends HttpServletRequestWrapper implements MutableRequest { @Override public String getRequestedUri() { if (getAttribute(INCLUDE_REQUEST_URI) != null) { return (String) getAttribute(INCLUDE_REQUEST_URI); } String uri = getRelativeRequestURI(this); return uri.replaceFirst("(?i);jsessionid=.*$", ""); } VRaptorRequest(HttpServletRequest request); @Override String getParameter(String name); @Override Enumeration<String> getParameterNames(); @Override String[] getParameterValues(String name); @Override Map<String, String[]> getParameterMap(); @Override void setParameter(String key, String... value); @Override String getRequestedUri(); static String getRelativeRequestURI(HttpServletRequest request); @Override String toString(); } | @Test public void strippsContextPath() { when(request.getContextPath()).thenReturn("/myapp"); when(request.getRequestURI()).thenReturn("/myapp/somepage"); assertThat(vraptor.getRequestedUri(), is(equalTo("/somepage"))); }
@Test public void strippsRootContextPath() { when(request.getContextPath()).thenReturn("/"); when(request.getRequestURI()).thenReturn("/somepage"); assertThat(vraptor.getRequestedUri(), is(equalTo("/somepage"))); } |
MusicController { @Get("/musics/search") public void search(Music music) { String title = MoreObjects.firstNonNull(music.getTitle(), ""); result.include("musics", this.musicDao.searchSimilarTitle(title)); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @SuppressWarnings("unchecked") @Test public void shouldReturnMusicList() { when(dao.searchSimilarTitle(music.getTitle())).thenReturn(Arrays.asList(music)); controller.search(music); assertThat((List<Music>) result.included().get("musics"), contains(music)); }
@SuppressWarnings("unchecked") @Test public void shouldReturnEmptyList() { when(dao.searchSimilarTitle(music.getTitle())).thenReturn(new ArrayList<Music>()); controller.search(music); List<Music> musics = (List<Music>) result.included().get("musics"); assertThat(musics, empty()); } |
MusicController { @Path("/musics/download/{m.id}") @Get public Download download(Music m) throws FileNotFoundException { Music music = musicDao.load(m); File file = musics.getFile(music); String contentType = "audio/mpeg"; String filename = music.getTitle() + ".mp3"; return new FileDownload(file, contentType, filename); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldNotDownloadMusicWhenDoesNotExist() { when(dao.load(music)).thenReturn(music); when(musics.getFile(music)).thenReturn(new File("/tmp/uploads/Music_" + music.getId() + ".mp3")); try { controller.download(music); fail("Should throw an exception."); } catch (FileNotFoundException e) { verify(musics).getFile(music); } } |
MusicController { @Public @Path("/musics/list/json") public void showAllMusicsAsJSON() { result.use(json()).from(musicDao.listAll()).serialize(); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldShowAllMusicsAsJSON() throws Exception { when(dao.listAll()).thenReturn(Arrays.asList(music)); controller.showAllMusicsAsJSON(); assertThat(result.serializedResult(), is("{\"list\":[{\"id\":1,\"title\":\"Some Music\"," + "\"description\":\"Some description\",\"type\":\"ROCK\"}]}")); } |
MusicController { @Public @Path("/musics/list/xml") public void showAllMusicsAsXML() { result.use(xml()).from(musicDao.listAll()).serialize(); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldShowAllMusicsAsXML() throws Exception { when(dao.listAll()).thenReturn(Arrays.asList(music)); controller.showAllMusicsAsXML(); assertThat(result.serializedResult(), is("<list><music><id>1</id><title>Some Music</title><description>Some description</description><type>ROCK</type></music></list>")); } |
MusicController { @Public @Path("/musics/list/http") public void showAllMusicsAsHTTP() { result.use(http()).body("<p class=\"content\">"+ musicDao.listAll().toString()+"</p>"); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldShowAllMusicsAsHTTP() { MockHttpResult mockHttpResult = new MockHttpResult(); controller = new MusicController(dao, userInfo, mockHttpResult, validator, musics, userDao); when(dao.listAll()).thenReturn(Arrays.asList(music)); controller.showAllMusicsAsHTTP(); assertThat(mockHttpResult.getBody(), is("<p class=\"content\">"+ Arrays.asList(music).toString()+"</p>")); } |
MusicController { @Public @Path("musics/listAs") public void listAs() { result.use(representation()) .from(musicDao.listAll()).serialize(); } protected MusicController(); @Inject MusicController(MusicDao musicDao, UserInfo userInfo,
Result result, Validator validator, Musics musics, UserDao userDao); @Path("/musics") @Post void add(final @NotNull @Valid Music music, UploadedFile file); @Path("/musics/{music.id}") @Get void show(Music music); @Get("/musics/search") void search(Music music); @Path("/musics/download/{m.id}") @Get Download download(Music m); @Public @Path("/musics/list/json") void showAllMusicsAsJSON(); @Public @Path("/musics/list/xml") void showAllMusicsAsXML(); @Public @Path("/musics/list/http") void showAllMusicsAsHTTP(); @Public @Path("/musics/list/form") void listForm(); @Public @Path("musics/listAs") void listAs(); } | @Test public void shouldListAs() throws Exception { when(dao.listAll()).thenReturn(Arrays.asList(music)); controller.listAs(); assertThat(result.serializedResult(), is("<list><music><id>1</id><title>Some Music</title><description>Some description</description><type>ROCK</type></music></list>")); } |
Rules { protected final RouteBuilder routeFor(String uri) { RouteBuilder rule = router.builderFor(uri); rule.withPriority(Integer.MIN_VALUE); this.routesToBuild.add(rule); return rule; } Rules(Router router); abstract void routes(); } | @Test public void allowsAdditionOfRouteBuildersByDefaultWithNoStrategy() { exception.expect(IllegalRouteException.class); new Rules(router) { @Override public void routes() { routeFor(""); } }; } |
JavaEvaluator implements Evaluator { @Override public Object get(Object root, String path) { if (root == null) { return null; } String[] paths = path.split("[\\]\\.]"); Object current = root; for (int i = 1; i < paths.length; i++) { try { current = navigate(current, paths[i]); } catch (Exception e) { throw new VRaptorException("Unable to evaluate expression " + path, e); } if (current == null) { return ""; } } return current; } protected JavaEvaluator(); @Inject JavaEvaluator(ReflectionProvider reflectionProvider); @Override Object get(Object root, String path); } | @Test public void shouldInvokeAGetter() { assertThat((Long) evaluator.get(client(1L), "client.id"), is(equalTo(1L))); }
@Test public void shouldInvokeAIs() { Client c = client(1L); c.ugly=true; assertThat((Boolean) evaluator.get(c, "client.ugly"), is(equalTo(true))); }
@Test public void shouldAccessArray() { Client c = client(1L); c.favoriteColors = new String[] {"blue", "red"}; assertThat((String) evaluator.get(c, "client.favoriteColors[1]"), is(equalTo("red"))); }
@Test public void shouldAccessList() { Client c = client(1L); c.emails = Arrays.asList("blue", "red"); assertThat((String) evaluator.get(c, "client.emails[1]"), is(equalTo("red"))); }
@Test public void shouldAccessCollection() { Client c = client(1L); c.favoriteNumbers = new TreeSet<>(Arrays.asList(10, 5)); assertThat((Integer) evaluator.get(c, "client.favoriteNumbers[1]"), is(equalTo(10))); }
@Test public void shouldReturnEmptyStringIfNullWasFoundOnTheWay() { Client c = client(1L); assertThat((String) evaluator.get(c, "client.child.id"), is(equalTo(""))); }
@Test public void shouldReturnEmptyStringIfTheResultIsNull() { Client c = client(null); assertThat((String) evaluator.get(c, "client.id"), is(equalTo(""))); }
@Test public void shouldInvokeAGetterDeclaredOnSuperClass() { Client c = vipClient(1L); assertThat((Long) evaluator.get(c, "client.id"), is(equalTo(1L))); }
@Test public void shouldInvokeAIsDeclaredOnSuperClass() { Client c = vipClient(1L); c.ugly = true; assertThat((Boolean) evaluator.get(c, "client.ugly"), is(equalTo(true))); } |
DefaultRouter implements Router { @Override public <T> String urlFor(final Class<T> type, final Method method, Object... params) { final Class<?> rawtype = proxifier.isProxyType(type) ? type.getSuperclass() : type; final Invocation invocation = new Invocation(rawtype, method); Route route = cache.fetch(invocation, new Supplier<Route>() { @Override public Route get() { return FluentIterable.from(routes).filter(canHandle(rawtype, method)) .first().or(NULL); } }); logger.debug("Selected route for {} is {}", method, route); String url = route.urlFor(type, method, params); logger.debug("Returning URL {} for {}", url, route); return url; } protected DefaultRouter(); @Inject DefaultRouter(Proxifier proxifier, TypeFinder finder, Converters converters,
ParameterNameProvider nameProvider, Evaluator evaluator, EncodingHandler encodingHandler,
CacheStore<Invocation, Route> cache); @Override RouteBuilder builderFor(String uri); @Override void add(Route r); @Override ControllerMethod parse(String uri, HttpMethod method, MutableRequest request); @Override EnumSet<HttpMethod> allowedMethodsFor(String uri); @Override String urlFor(final Class<T> type, final Method method, Object... params); @Override List<Route> allRoutes(); } | @Test public void shouldReturnTheFirstRouteFound() throws Exception { Method method = MyController.class.getDeclaredMethod("listDogs", Integer.class); registerRulesFor(MyController.class); assertEquals("/dogs/1", router.urlFor(MyController.class, method, new Object[] { "1" })); }
@Test public void canFindUrlForProxyClasses() throws Exception { registerRulesFor(MyController.class); MyController proxy = proxifier.proxify(MyController.class, null); Class<? extends MyController> type = proxy.getClass(); Method method = type.getMethod("notAnnotated"); assertEquals("/my/notAnnotated", router.urlFor(type, method)); } |
ParanamerNameProvider implements ParameterNameProvider { @Override public Parameter[] parametersFor(final AccessibleObject executable) { try { String[] names = info.lookupParameterNames(executable); Parameter[] params = new Parameter[names.length]; logger.debug("Found parameter names with paranamer for {} as {}", executable, (Object) names); for (int i = 0; i < names.length; i++) { params[i] = new Parameter(i, names[i], executable); } return defensiveCopy(params); } catch (ParameterNamesNotFoundException e) { throw new IllegalStateException("Paranamer were not able to find your parameter names for " + executable + "You must compile your code with debug information (javac -g), or using @Named on " + "each method parameter.", e); } } @Override Parameter[] parametersFor(final AccessibleObject executable); } | @Test public void shouldNameObjectTypeAsItsSimpleName() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("runThrough", Field.class)); assertThat(toNames(namesFor), contains("f")); }
@Test public void shouldNamePrimitiveTypeAsItsSimpleName() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("rest", int.class)); assertThat(toNames(namesFor), contains("hours")); }
@Test public void shouldNameArrayAsItsSimpleTypeName() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("setLeg", int[].class)); assertThat(toNames(namesFor), contains("length")); }
@Test public void shouldNameGenericCollectionUsingOf() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Cat.class.getDeclaredMethod("fightWith", List.class)); assertThat(toNames(namesFor), contains("cats")); }
@Test public void shouldIgnoreChangesToTheReturnedArrayInSubsequentCalls() throws Exception { Parameter[] firstCall = provider.parametersFor(Horse.class.getMethod("setLeg", int[].class)); firstCall[0] = null; Parameter[] secondCall = provider.parametersFor(Horse.class.getMethod("setLeg", int[].class)); assertThat(secondCall[0], notNullValue()); }
@Test public void shouldNameFieldsAnnotatedWithNamed() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("runThroughWithAnnotation", Field.class)); assertThat(toNames(namesFor), contains("one")); }
@Test public void shouldNotNameFieldsByTheFieldNameWhenUsingAnnotation() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("runThroughWithAnnotation", Field.class)); assertThat(toNames(namesFor), not(contains("field"))); }
@Test public void shouldNameMethodsFieldsWhenAnnotatedOrNot() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("runThroughWithAnnotation2", Field.class, Field.class)); assertThat(toNames(namesFor), contains("one", "two")); }
@Test public void shouldNameMethodsFieldsWhenAnnotatedOrNot2() throws SecurityException, NoSuchMethodException { Parameter[] namesFor = provider.parametersFor(Horse.class.getMethod("runThroughWithAnnotation3", Field.class, Field.class)); assertThat(toNames(namesFor), contains("one", "size")); } |
AVSessionCacheHelper { static synchronized SessionTagCache getTagCacheInstance() { if (null == tagCacheInstance) { tagCacheInstance = new SessionTagCache(); } return tagCacheInstance; } } | @Test public void testRemoveNotExistTag() { AVSessionCacheHelper.getTagCacheInstance().addSession(testClientId, testClientTag); AVSessionCacheHelper.getTagCacheInstance().removeSession("test11"); Map<String, String> map = AVSessionCacheHelper.getTagCacheInstance().getAllSession(); Assert.assertTrue(map.size() == 1); Assert.assertTrue(testClientTag.equals(map.get(testClientId))); }
@Test public void testRemoveExistTag() { AVSessionCacheHelper.getTagCacheInstance().addSession(testClientId, testClientTag); AVSessionCacheHelper.getTagCacheInstance().removeSession(testClientId); Map<String, String> map = AVSessionCacheHelper.getTagCacheInstance().getAllSession(); Assert.assertTrue(map.size() == 0); }
@Test public void testTagCacheAdd() { AVSessionCacheHelper.getTagCacheInstance().addSession(testClientId, testClientTag); Map<String, String> clientMap = AVSessionCacheHelper.getTagCacheInstance().getAllSession(); Assert.assertTrue(clientMap.size() == 1); Assert.assertTrue(testClientTag.equals(clientMap.get(testClientId))); }
@Test public void testUpdateTag() { String updateTag = "updateTag"; AVSessionCacheHelper.getTagCacheInstance().addSession(testClientId, testClientTag); AVSessionCacheHelper.getTagCacheInstance().addSession(testClientId, updateTag); Map<String, String> clientMap = AVSessionCacheHelper.getTagCacheInstance().getAllSession(); Assert.assertTrue(clientMap.size() == 1); Assert.assertTrue(updateTag.equals(clientMap.get(testClientId))); } |
AVFile { public Object removeMetaData(String key) { return metaData.remove(key); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testRemoveMetaData() { String key = "key"; String value = "value"; AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); Assert.assertTrue(!file.getMetaData().containsKey(key)); file.addMetaData(key, value); Assert.assertEquals(file.getMetaData().get(key), value); file.removeMetaData(key); Assert.assertTrue(!file.getMetaData().containsKey(key)); } |
AVFile { public void clearMetaData() { this.metaData.clear(); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testClearMetaData() { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); Assert.assertTrue(!file.getMetaData().isEmpty()); file.clearMetaData(); Assert.assertTrue(file.getMetaData().isEmpty()); } |
AVFile { public String getOwnerObjectId() { return (String) getMetaData("owner"); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetOwnerObjectId() { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); Assert.assertTrue(AVUtils.isBlankContent(file.getOwnerObjectId())); } |
AVFile { public static void withObjectIdInBackground(final String objectId, final GetFileCallback<AVFile> cb) { AVQuery<AVObject> query = new AVQuery<AVObject>("_File"); query.getInBackground(objectId, new GetCallback<AVObject>() { @Override public void done(AVObject object, AVException e) { if (e != null) { if (null != cb) { cb.internalDone(null, e); } return; } if (object != null && !AVUtils.isBlankString(object.getObjectId())) { AVFile file = createFileFromAVObject(object); if (cb != null) { cb.internalDone(file, null); } } else if (null != cb) { cb.internalDone(null, new AVException(AVException.OBJECT_NOT_FOUND, "Could not find file object by id:" + objectId)); } } }); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testWithObjectIdInBackground() throws Exception { final AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); final CountDownLatch latch = new CountDownLatch(1); AVFile.withObjectIdInBackground(file.getObjectId(), new GetFileCallback<AVFile>() { @Override public void done(AVFile object, AVException e) { Assert.assertEquals(file.getOriginalName(), object.getOriginalName()); Assert.assertEquals(file.getObjectId(), object.getObjectId()); Assert.assertEquals(file.getUrl(), object.getUrl()); Assert.assertNotNull(object.getBucket()); Assert.assertEquals(file.getMetaData(), object.getMetaData()); latch.countDown(); } }); file.delete(); } |
AVFile { public synchronized void saveInBackground(final SaveCallback saveCallback, final ProgressCallback progressCallback) { if (AVUtils.isBlankString(objectId)) { cancelUploadIfNeed(); uploader = getUploader(saveCallback, progressCallback); uploader.execute(); } else { if (null != saveCallback) { saveCallback.internalDone(null); } if (null != progressCallback) { progressCallback.internalDone(100, null); } } } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testSaveInBackground() throws Exception { final CountDownLatch latch = new CountDownLatch(1); final AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.saveInBackground(new SaveCallback() { @Override protected boolean mustRunOnUIThread() { return false; } @Override public void done(AVException e) { System.out.println("file saved. objectId=" + file.getObjectId()); System.out.println("url=" + file.getUrl()); Assert.assertNull(e); Assert.assertTrue(file.getObjectId().length() > 0); Assert.assertTrue(file.getUrl().length() > 0); latch.countDown(); } }); latch.await(60, TimeUnit.SECONDS); file.delete(); } |
AVFile { @Deprecated static public AVFile parseFileWithObjectId(String objectId) throws AVException, FileNotFoundException { return withObjectId(objectId); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testParseFileWithObjectId() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVFile newFile = AVFile.parseFileWithObjectId(file.getObjectId()); Assert.assertNotNull(newFile); Assert.assertNotNull(newFile.getObjectId()); Assert.assertNotNull(newFile.getOriginalName()); Assert.assertNotNull(newFile.getBucket()); Assert.assertNotNull(newFile.getMetaData()); file.delete(); } |
AVFile { public static AVFile withObjectId(String objectId) throws AVException, FileNotFoundException { AVQuery<AVObject> query = new AVQuery<AVObject>("_File"); AVObject object = query.get(objectId); if (object != null && !AVUtils.isBlankString(object.getObjectId())) { AVFile file = createFileFromAVObject(object); return file; } else { throw new FileNotFoundException("Could not find file object by id:" + objectId); } } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testWithObjectId() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVFile newFile = AVFile.withObjectId(file.getObjectId()); Assert.assertNotNull(newFile); Assert.assertNotNull(newFile.getObjectId()); Assert.assertNotNull(newFile.getOriginalName()); Assert.assertNotNull(newFile.getBucket()); Assert.assertNotNull(newFile.getMetaData()); file.delete(); } |
AVFile { public static AVFile withAVObject(AVObject obj) { if (obj != null && !AVUtils.isBlankString(obj.getObjectId())) { AVFile file = createFileFromAVObject(obj); return file; } else { throw new IllegalArgumentException("Invalid AVObject."); } } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testWithAVObject() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVQuery<AVObject> query = new AVQuery<AVObject>("_File"); AVObject object = query.get(file.getObjectId()); AVFile newFile = AVFile.withAVObject(object); Assert.assertEquals(file.getOriginalName(), newFile.getOriginalName()); Assert.assertEquals(file.getObjectId(), newFile.getObjectId()); Assert.assertEquals(file.getUrl(), newFile.getUrl()); Assert.assertNotNull(newFile.getBucket()); Assert.assertEquals(file.getMetaData(), newFile.getMetaData()); file.delete(); } |
AVFile { public static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath) throws FileNotFoundException { return withFile(name, new File(absoluteLocalFilePath)); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testWithAbsoluteLocalPath() throws Exception { File file = new File(getAVFileCachePath(), "test"); AVPersistenceUtils.saveContentToFile(TEST_FILE_CONTENT, file); AVFile newFile = AVFile.withAbsoluteLocalPath("name", file.getAbsolutePath()); Assert.assertNotNull(newFile); Assert.assertNotNull(newFile.getOriginalName()); Assert.assertNotNull(newFile.getMetaData()); Assert.assertArrayEquals(TEST_FILE_CONTENT.getBytes(), newFile.getData()); } |
AVFile { public static AVFile withFile(String name, File file) throws FileNotFoundException { if (file == null) { throw new IllegalArgumentException("null file object."); } if (!file.exists() || !file.isFile()) { throw new FileNotFoundException(); } AVFile avFile = new AVFile(); avFile.setLocalPath(file.getAbsolutePath()); avFile.setName(name); avFile.dirty = true; avFile.name = name; long fileSize = file.length(); String fileMD5 = ""; try { InputStream is = AVPersistenceUtils.getInputStreamFromFile(file); MessageDigest md = MessageDigest.getInstance("MD5"); if (null != is) { byte buf[] = new byte[(int)MAX_FILE_BUF_SIZE]; int len; while ((len = is.read(buf)) != -1) { md.update(buf, 0, len); } byte[] md5bytes = md.digest(); fileMD5 = AVUtils.hexEncodeBytes(md5bytes); is.close(); } } catch (Exception ex) { fileMD5 = ""; } avFile.metaData.put("size", fileSize); avFile.metaData.put(FILE_SUM_KEY, fileMD5); AVUser currentUser = AVUser.getCurrentUser(); avFile.metaData.put("owner", currentUser != null ? currentUser.getObjectId() : ""); avFile.metaData.put(FILE_NAME_KEY, name); return avFile; } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testWithFile() throws Exception { File file = new File(getAVFileCachePath(), "test"); AVPersistenceUtils.saveContentToFile(TEST_FILE_CONTENT, file); AVFile newFile = AVFile.withFile("name", file); Assert.assertNotNull(newFile); Assert.assertNotNull(newFile.getOriginalName()); Assert.assertNotNull(newFile.getMetaData()); Assert.assertArrayEquals(TEST_FILE_CONTENT.getBytes(), newFile.getData()); } |
AVFile { @Deprecated @JSONField(serialize = false) public byte[] getData() throws AVException { if (!AVUtils.isBlankString(localPath)) { return getLocalFileData(); } else if (!AVUtils.isBlankString(localTmpFilePath)) { return getTmpFileData(); } else if (!AVUtils.isBlankString(url)) { byte[] data = getCacheData(); if (null != data) { return data; } if (!AVUtils.isConnected(AVOSCloud.applicationContext)) { throw new AVException(AVException.CONNECTION_FAILED, "Connection lost"); } else { cancelDownloadIfNeed(); downloader = new AVFileDownloader(); AVException exception = downloader.doWork(getUrl()); if (exception != null) { throw exception; } return getCacheData(); } } return null; } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetData() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVQuery<AVObject> query = new AVQuery<AVObject>("_File"); AVObject object = query.get(file.getObjectId()); AVFile newFile = AVFile.withAVObject(object); byte[] byteData = newFile.getData(); Assert.assertArrayEquals(TEST_FILE_CONTENT.getBytes(), byteData); file.delete(); }
@Test public void testGetDataNonExistentFile() throws Exception { AVFile file = new AVFile(null, "http: boolean result = false; try { file.getData(); } catch (Exception e) { result = true; } Assert.assertTrue(result); } |
AVFile { public void getDataInBackground(final GetDataCallback dataCallback, final ProgressCallback progressCallback) { if (!AVUtils.isBlankString(localPath)) { if (null != progressCallback) { progressCallback.done(100); } if (dataCallback != null) { dataCallback.internalDone(getLocalFileData(), null); } } else if (!AVUtils.isBlankString(localTmpFilePath)) { if (null != progressCallback) { progressCallback.done(100); } if (dataCallback != null) { dataCallback.internalDone(getTmpFileData(), null); } } else if (!AVUtils.isBlankString(getUrl())) { cancelDownloadIfNeed(); downloader = new AVFileDownloader(progressCallback, dataCallback); downloader.execute(getUrl()); } else if (dataCallback != null) { dataCallback.internalDone(new AVException(AVException.INVALID_FILE_URL, "")); } } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetDataInBackground() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVQuery<AVObject> query = new AVQuery<AVObject>("_File"); AVObject object = query.get(file.getObjectId()); AVFile newFile = AVFile.withAVObject(object); final CountDownLatch latch = new CountDownLatch(1); final StringBuffer content = new StringBuffer(); newFile.getDataInBackground(new GetDataCallback() { @Override public void done(byte[] data, AVException e) { content.append(new String(data)); Assert.assertNull(e); Assert.assertNotNull(data); latch.countDown(); } }); latch.await(60, TimeUnit.SECONDS); Assert.assertEquals(TEST_FILE_CONTENT, content.toString()); file.delete(); } |
AVFile { public void getDataStreamInBackground(GetDataStreamCallback callback) { getDataStreamInBackground(callback, null); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetDataStreamForLargeFile() throws Exception { final String testUrl = "http: AVFile file = new AVFile("jiuzai", testUrl); final CountDownLatch latch = new CountDownLatch(1); file.getDataStreamInBackground(new GetDataStreamCallback() { @Override public void done(InputStream data, AVException e) { if (null != e || null == data) { Assert.fail(); } else { byte content[] = new byte[10240]; try { int totalRead = 0; int curRead = data.read(content); while (curRead > 0) { totalRead += curRead; curRead = data.read(content); } data.close(); Assert.assertTrue(totalRead > 0); System.out.println("download url:" + testUrl + ", fileSize:" + totalRead); } catch (Exception ex) { ex.printStackTrace(); Assert.fail(); } } latch.countDown(); } }); latch.await(60, TimeUnit.SECONDS); }
@Test public void testGetDataStreamForExternalFile() throws Exception { final String testUrl = "http: AVFile file = new AVFile("jiuzai", testUrl); final CountDownLatch latch = new CountDownLatch(1); file.getDataStreamInBackground(new GetDataStreamCallback() { @Override public void done(InputStream data, AVException e) { if (null != e || null == data) { Assert.fail(); } else { byte content[] = new byte[10240]; try { int totalRead = 0; int curRead = data.read(content); while (curRead > 0) { totalRead += curRead; curRead = data.read(content); } data.close(); Assert.assertTrue(totalRead > 0); System.out.println("download url:" + testUrl + ", fileSize:" + totalRead); } catch (Exception ex) { ex.printStackTrace(); Assert.fail(); } } latch.countDown(); } }); latch.await(60, TimeUnit.SECONDS); } |
AVFile { public void delete() throws AVException { if (getFileObject() != null) getFileObject().delete(); else throw AVErrorUtils.createException(AVException.FILE_DELETE_ERROR, "File object is not exists."); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testDelete() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVFile cloudFile = AVFile.withObjectId(file.getObjectId()); Assert.assertNotNull(cloudFile); Assert.assertEquals(file.getUrl(), cloudFile.getUrl()); file.delete(); AVException exception = null; AVFile deletedFile = null; try { deletedFile = AVFile.withObjectId(file.getObjectId()); } catch (AVException e) { exception = e; } Assert.assertEquals(exception.code, AVException.OBJECT_NOT_FOUND); Assert.assertNull(deletedFile); } |
AVFile { public void deleteInBackground() { if (getFileObject() != null) getFileObject().deleteInBackground(); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testDeleteInBackground() throws Exception { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); file.save(); AVFile cloudFile = AVFile.withObjectId(file.getObjectId()); Assert.assertNotNull(cloudFile); Assert.assertEquals(file.getUrl(), cloudFile.getUrl()); final CountDownLatch latch = new CountDownLatch(1); file.deleteInBackground(new DeleteCallback() { @Override public void done(AVException e) { Assert.assertNull(e); latch.countDown(); } }); latch.await(1, TimeUnit.MINUTES); AVException exception = null; AVFile deletedFile = null; try { deletedFile = AVFile.withObjectId(file.getObjectId()); } catch (AVException e) { exception = e; } Assert.assertEquals(exception.code, AVException.OBJECT_NOT_FOUND); Assert.assertNull(deletedFile); } |
AVFile { public static void clearCacheMoreThanDays(int days) { long curTime = System.currentTimeMillis(); if ( days > 0) { curTime -= days * 86400000; } String cacheDir = AVFileDownloader.getAVFileCachePath(); clearDir(new File(cacheDir), curTime); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testClearCachedFileBeforeDays() throws Exception { AVFile.clearCacheMoreThanDays(6); } |
AVFile { public static void clearAllCachedFiles() { clearCacheMoreThanDays(0); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testClearAllCachedFile() throws Exception { AVFile.clearAllCachedFiles(); } |
AVSMS { public static void requestSMSCode(String phone, AVSMSOption smsOption) throws AVException { requestSMSCodeInBackground(phone, smsOption, true, new RequestMobileCodeCallback() { @Override public void done(AVException e) { if (e != null) { AVExceptionHolder.add(e); } } @Override public boolean mustRunOnUIThread() { return false; } }); if (AVExceptionHolder.exists()) { throw AVExceptionHolder.remove(); } } static void requestSMSCode(String phone, AVSMSOption smsOption); static void requestSMSCodeInBackground(String phone, AVSMSOption option, RequestMobileCodeCallback callback); static void verifySMSCode(String code, String mobilePhoneNumber); static void verifySMSCodeInBackground(String code, String phoneNumber,
AVMobilePhoneVerifyCallback callback); } | @Test public void testRequestSMSCode() throws AVException { AVOSCloud.requestSMSCode(PHONE); }
@Test public void testRequestSMSCode1() throws AVException { AVOSCloud.requestSMSCode(PHONE, APPLICATION_NAME, OPERATION, TTL); }
@Test public void testRequestSMSCode2() throws AVException { AVOSCloud.requestSMSCode(PHONE, TEMPLATE_NAME, ENV_MAP); }
@Test public void testRequestSMSCode3() throws AVException { AVOSCloud.requestSMSCode(PHONE, TEMPLATE_NAME, SIGNATURE_NAME, ENV_MAP); } |
AVSMS { public static void requestSMSCodeInBackground(String phone, AVSMSOption option, RequestMobileCodeCallback callback) { requestSMSCodeInBackground(phone, option, false, callback); } static void requestSMSCode(String phone, AVSMSOption smsOption); static void requestSMSCodeInBackground(String phone, AVSMSOption option, RequestMobileCodeCallback callback); static void verifySMSCode(String code, String mobilePhoneNumber); static void verifySMSCodeInBackground(String code, String phoneNumber,
AVMobilePhoneVerifyCallback callback); } | @Test public void testRequestSMSCodeInBackground() throws AVException, InterruptedException { final CountDownLatch latch = new CountDownLatch(1); AVOSCloud.requestSMSCodeInBackground(PHONE, APPLICATION_NAME, OPERATION, TTL, new RequestMobileCodeCallback() { @Override public void done(AVException e) { latch.countDown(); } }); latch.await(); }
@Test public void testRequestSMSCodeInBackground1() throws AVException, InterruptedException { final CountDownLatch latch = new CountDownLatch(1); AVOSCloud.requestSMSCodeInBackground(PHONE, TEMPLATE_NAME, ENV_MAP, new RequestMobileCodeCallback() { @Override public void done(AVException e) { latch.countDown(); } }); latch.await(); }
@Test public void testRequestSMSCodeInBackground2() throws AVException, InterruptedException { final CountDownLatch latch = new CountDownLatch(1); AVOSCloud.requestSMSCodeInBackground(PHONE, TEMPLATE_NAME, SIGNATURE_NAME, ENV_MAP, new RequestMobileCodeCallback() { @Override public void done(AVException e) { latch.countDown(); } }); latch.await(); }
@Test public void testRequestSMSCodeInBackground3() throws AVException, InterruptedException { final CountDownLatch latch = new CountDownLatch(1); AVOSCloud.requestSMSCodeInBackground(PHONE, new RequestMobileCodeCallback() { @Override public void done(AVException e) { latch.countDown(); } }); latch.await(); } |
AVSMS { public static void verifySMSCode(String code, String mobilePhoneNumber) throws AVException { verifySMSCodeInBackground(code, mobilePhoneNumber, true, new AVMobilePhoneVerifyCallback() { @Override public void done(AVException e) { if (e != null) { AVExceptionHolder.add(e); } } @Override public boolean mustRunOnUIThread() { return false; } }); if (AVExceptionHolder.exists()) { throw AVExceptionHolder.remove(); } } static void requestSMSCode(String phone, AVSMSOption smsOption); static void requestSMSCodeInBackground(String phone, AVSMSOption option, RequestMobileCodeCallback callback); static void verifySMSCode(String code, String mobilePhoneNumber); static void verifySMSCodeInBackground(String code, String phoneNumber,
AVMobilePhoneVerifyCallback callback); } | @Test public void testVerifySMSCode() throws AVException { AVOSCloud.verifySMSCode(CODE, PHONE); } |
AVSMS { public static void verifySMSCodeInBackground(String code, String phoneNumber, AVMobilePhoneVerifyCallback callback) { verifySMSCodeInBackground(code, phoneNumber, false, callback); } static void requestSMSCode(String phone, AVSMSOption smsOption); static void requestSMSCodeInBackground(String phone, AVSMSOption option, RequestMobileCodeCallback callback); static void verifySMSCode(String code, String mobilePhoneNumber); static void verifySMSCodeInBackground(String code, String phoneNumber,
AVMobilePhoneVerifyCallback callback); } | @Test public void testVerifySMSCodeInBackground() throws AVException, InterruptedException { final CountDownLatch latch = new CountDownLatch(1); AVOSCloud.verifySMSCodeInBackground(CODE, PHONE, new AVMobilePhoneVerifyCallback() { @Override public void done(AVException e) { latch.countDown(); } }); latch.await(); } |
AVStatus extends AVObject { public static void resetUnreadStatusesCount(String inboxType, final AVCallback callback) { if (!checkCurrentUser(null)) { if (callback != null) { callback.internalDone(AVErrorUtils.sessionMissingException()); } return; } final String userId = AVUser.getCurrentUser().getObjectId(); final String endPoint = "subscribe/statuses/resetUnreadCount"; Map<String, String> params = getStatusQueryMap(userId, 0, 0, 0, inboxType, null, false, false); String jsonString = AVUtils.jsonStringFromMapWithNull(params); PaasClient.storageInstance().postObject(endPoint, jsonString, false, new GenericObjectCallback() { @Override public void onSuccess(String content, AVException e) { if (callback != null) { callback.internalDone(null); } } @Override public void onFailure(Throwable error, String content) { if (callback != null) { callback.internalDone(AVErrorUtils.createException(error, content)); } } }); } AVStatus(); AVStatus(Parcel in); static AVStatus createStatus(String imageUrl, String message); static AVStatus createStatusWithData(Map<String, Object> data); @Override String getObjectId(); @Override Date getCreatedAt(); void setImageUrl(final String url); String getImageUrl(); AVUser getSource(); void setSource(AVObject source); void setInboxType(final String type); void setQuery(AVQuery query); void setMessage(final String message); String getMessage(); void setData(Map<String, Object> data); Map<String, Object> getData(); @Override void put(String key, Object value); @Override void remove(String key); long getMessageId(); String getInboxType(); void deleteStatusInBackground(final DeleteCallback callback); static void deleteStatusWithIDInBackgroud(String statusId, final DeleteCallback callback); static void deleteInboxStatus(long messageId, String inboxType, AVUser owner); static void deleteInboxStatusInBackground(long messageId, String inboxType, AVUser owner,
DeleteCallback callback); @Deprecated static void getStatuses(long skip, long limit, final StatusListCallback callback); @Deprecated static void getStatusesFromCurrentUserWithType(final String type, long skip, long limit,
final StatusListCallback callback); @Deprecated static void getStatusesFromUser(final String userObejctId, long skip, long limit,
final StatusListCallback callback); @Deprecated static void getInboxStatusesInBackground(long skip, long limit,
final StatusListCallback callback); @Deprecated static void getInboxStatusesWithInboxType(long skip, long limit, final String inboxType,
final StatusListCallback callback); static void getUnreadStatusesCountInBackground(String inboxType,
final CountCallback callback); @Deprecated static void getInboxUnreadStatusesCountInBackgroud(final CountCallback callback); @Deprecated static void getInboxUnreadStatusesCountWithInboxTypeInBackgroud(long sid, long count,
final String inboxType, final CountCallback callback); @Deprecated static void getInboxPrivteStatuses(long sid, long count, final StatusListCallback callback); static void getStatusWithIdInBackgroud(String statusId, final StatusCallback callback); @Deprecated void sendInBackgroundWithBlock(final SaveCallback callback); void sendInBackground(final SaveCallback callback); static void sendStatusToFollowersInBackgroud(AVStatus status, final SaveCallback callback); static void sendPrivateStatusInBackgroud(AVStatus status, final String receiverObjectId,
SaveCallback callback); static AVStatusQuery statusQuery(AVUser owner); static AVStatusQuery inboxQuery(AVUser owner, String inBoxType); @Deprecated @Override void add(String key, Object value); @Deprecated @Override void addAll(String key, Collection<?> values); @Deprecated @Override void addAllUnique(String key, Collection<?> values); @Deprecated @Override void addUnique(String key, Object value); @Deprecated @Override boolean containsKey(String k); @Override void delete(); @Deprecated @Override void deleteEventually(DeleteCallback callback); @Deprecated @Override void deleteEventually(); @Override void deleteInBackground(); AVObject toObject(); @Override boolean equals(Object obj); @Deprecated @Override AVObject fetch(); @Deprecated @Override AVObject fetch(String includedKeys); @Deprecated @Override AVObject fetchIfNeeded(); @Deprecated @Override AVObject fetchIfNeeded(String includedKeys); @Deprecated @Override void fetchIfNeededInBackground(GetCallback<AVObject> callback); @Deprecated @Override void fetchIfNeededInBackground(String includedkeys, GetCallback<AVObject> callback); @Override String toString(); @Deprecated @Override boolean isFetchWhenSave(); @Deprecated @Override void setFetchWhenSave(boolean fetchWhenSave); @Deprecated @Override String getUuid(); @Deprecated @Override void deleteInBackground(DeleteCallback callback); @Deprecated @Override void fetchInBackground(GetCallback<AVObject> callback); @Deprecated @Override void fetchInBackground(String includeKeys, GetCallback<AVObject> callback); @Override Object get(String key); @Deprecated @Override AVACL getACL(); @Deprecated @Override boolean getBoolean(String key); @Deprecated @Override byte[] getBytes(String key); @Deprecated @Override Date getDate(String key); @Deprecated @Override double getDouble(String key); @Deprecated @Override int getInt(String key); @Deprecated @Override JSONArray getJSONArray(String key); @Deprecated @Override JSONObject getJSONObject(String key); @Deprecated @Override List getList(String key); @Deprecated @Override long getLong(String key); @Deprecated @Override Map<String, V> getMap(String key); @Deprecated @Override Number getNumber(String key); @Deprecated @Override T getAVFile(String key); @Deprecated @Override AVGeoPoint getAVGeoPoint(String key); @Override T getAVObject(String key); @Deprecated @Override T getAVUser(String key); @Deprecated @Override AVRelation<T> getRelation(String key); @Deprecated @Override String getString(String key); @Deprecated @Override Date getUpdatedAt(); @Deprecated @Override boolean has(String key); @Deprecated @Override boolean hasSameId(AVObject other); @Deprecated @Override void increment(String key); @Deprecated @Override void increment(String key, Number amount); @Deprecated @Override Set<String> keySet(); @Deprecated @Override void refresh(); @Deprecated @Override void refresh(String includeKeys); @Deprecated @Override void refreshInBackground(RefreshCallback<AVObject> callback); @Deprecated @Override void refreshInBackground(String includeKeys, RefreshCallback<AVObject> callback); @Deprecated @Override void removeAll(String key, Collection<?> values); @Deprecated @Override void save(); @Deprecated @Override void saveEventually(); @Deprecated @Override void saveEventually(SaveCallback callback); @Deprecated @Override void saveInBackground(); @Deprecated @Override void saveInBackground(SaveCallback callback); @Deprecated @Override void setACL(AVACL acl); @Override int describeContents(); @Override void writeToParcel(Parcel out, int i); static void resetUnreadStatusesCount(String inboxType, final AVCallback callback); static final String IMAGE_TAG; static final String MESSAGE_TAG; @Deprecated
static final String INBOX_TIMELINE; @Deprecated
static final String INBOX_PRIVATE; static final String STATUS_ENDPOINT; transient static final Creator<AVStatus> CREATOR; } | @Test public void testResetUnreadStatusesCount() throws AVException, InterruptedException { AVUser user = new AVUser(); user.logIn(TestConfig.TEST_USER_NAME, TestConfig.TEST_USER_PWD); final CountDownLatch latch = new CountDownLatch(1); AVStatus.resetUnreadStatusesCount("private", new AVCallback() { @Override protected void internalDone0(Object o, AVException avException) { latch.countDown(); Assert.assertNull(avException); } }); latch.await(); } |
AVPowerfulUtils { public static String getEndpoint(String className) { String endpoint = get(className, ENDPOINT); if (AVUtils.isBlankString(endpoint)) { if (!AVUtils.isBlankString(className)) { endpoint = String.format("classes/%s", className); } else { throw new AVRuntimeException("Blank class name"); } } return endpoint; } static String getEndpoint(String className); static String getEndpoint(Object object); static String getEndpoint(Object object, boolean isPost); static String getBatchEndpoint(String version, AVObject object, boolean isPost); static String getEndpointByAVClassName(String className, String objectId); static String getAVClassName(String className); static String getFollowEndPoint(String followee, String follower); static String getFollowersEndPoint(String userId); static String getFolloweesEndPoint(String userId); static String getFollowersAndFollowees(String userId); static String getInternalIdFromRequestBody(Map request); } | @Test public void testGetEndpoint() { final String objectId = "objectId"; AVUser user = new AVUser(); Assert.assertEquals(AVUser.AVUSER_ENDPOINT, AVPowerfulUtils.getEndpoint(user)); user.setObjectId(objectId); Assert.assertEquals(String.format("%s/%s", AVUser.AVUSER_ENDPOINT, objectId), AVPowerfulUtils.getEndpoint(user)); AVStatus status = new AVStatus(); Assert.assertEquals(AVStatus.STATUS_ENDPOINT, AVPowerfulUtils.getEndpoint(status)); status.setObjectId(objectId); Assert.assertEquals(String.format("%s/%s", AVStatus.STATUS_ENDPOINT, objectId), AVPowerfulUtils.getEndpoint(status)); AVRole role = new AVRole(); Assert.assertEquals(AVRole.AVROLE_ENDPOINT, AVPowerfulUtils.getEndpoint(role)); role.setObjectId(objectId); Assert.assertEquals(String.format("%s/%s", AVRole.AVROLE_ENDPOINT, objectId), AVPowerfulUtils.getEndpoint(role)); AVFile file = new AVFile(); Assert.assertEquals(AVFile.AVFILE_ENDPOINT, AVPowerfulUtils.getEndpoint(file)); final String NORMAL_OBJECT_NAME = "normalObject"; AVObject normalObject = new AVObject("normalObject"); Assert.assertEquals("classes/" + NORMAL_OBJECT_NAME, AVPowerfulUtils.getEndpoint(normalObject)); normalObject.setObjectId(objectId); Assert.assertEquals(String.format("classes/%s/%s", NORMAL_OBJECT_NAME, objectId), AVPowerfulUtils.getEndpoint(normalObject)); } |
AVCloud { public static Object convertCloudResponse(String response) { Object newResultValue = null; try { Map<String, ?> resultMap = AVUtils.getFromJSON(response, Map.class); Object resultValue = resultMap.get("result"); if (resultValue instanceof Collection) { newResultValue = AVUtils.getObjectFrom((Collection) resultValue); } else if (resultValue instanceof Map) { newResultValue = AVUtils.getObjectFrom((Map<String, Object>) resultValue); } else { newResultValue = resultValue; } } catch (Exception e) { LogUtil.log.e("Error during response parse", e); } return newResultValue; } static void setProductionMode(boolean productionMode); static boolean isProductionMode(); static T callFunction(String name, Map<String, ?> params); static void callFunctionInBackground(String name, Map<String, ?> params,
final FunctionCallback<T> callback); static Object convertCloudResponse(String response); static void rpcFunctionInBackground(String name, Object params,
final FunctionCallback<T> callback); static T rpcFunction(String name, Object params); } | @Test public void testConvertCloudResponse() { String content = "{\"result\":{\"content\":\"2222我若是写代码。\",\"ACL\":{\"*\":{\"read\":true},\"59229e282f301e006b1b637e\":{\"read\":true}},\"number\":123,\"userName\":{\"__type\":\"Pointer\",\"className\":\"_User\",\"objectId\":\"59631dab128fe1507271d9b7\"},\"asdfds\":{\"__type\":\"Pointer\",\"className\":\"_File\",\"objectId\":\"5875e04a61ff4b005c5c28ba\"},\"objectId\":\"56de3e5aefa631005ec03f67\",\"createdAt\":\"2016-03-08T02:52:10.733Z\",\"updatedAt\":\"2017-08-02T10:58:05.630Z\",\"__type\":\"Object\",\"className\":\"Comment\"}}"; AVObject object = (AVObject) AVCloud.convertCloudResponse(content); Assert.assertEquals(object.getClassName(), "Comment"); Assert.assertEquals(object.get("content"), "2222我若是写代码。"); Assert.assertEquals(object.getInt("number"), 123); Assert.assertEquals(object.getObjectId(), "56de3e5aefa631005ec03f67"); Assert.assertNotNull(object.getCreatedAt()); Assert.assertNotNull(object.getUpdatedAt()); Assert.assertNotNull(object.getACL()); Assert.assertNotNull(object.get("asdfds")); } |
AVUser extends AVObject { public String getFacebookToken() { return facebookToken; } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testGetFacebookToken() { String faceBookToken = "facebooktoken"; AVUser user = new AVUser(); user.setFacebookToken(faceBookToken); Assert.assertEquals(user.getFacebookToken(), faceBookToken); } |
AVUser extends AVObject { public String getTwitterToken() { return twitterToken; } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testGetTwitterToken() { String twitterToken = "twitterToken"; AVUser user = new AVUser(); user.setTwitterToken(twitterToken); Assert.assertEquals(user.getTwitterToken(), twitterToken); } |
AVUser extends AVObject { public String getQqWeiboToken() { return qqWeiboToken; } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testGetQqWeiboToken() { String qqWeiboToken = "qqWeiboToken"; AVUser user = new AVUser(); user.setQqWeiboToken(qqWeiboToken); Assert.assertEquals(user.getQqWeiboToken(), qqWeiboToken); } |
AVUser extends AVObject { public static <T extends AVUser> AVQuery<T> getUserQuery(Class<T> clazz) { AVQuery<T> query = new AVQuery<T>(userClassName(), clazz); return query; } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testGetUserQuery() { Assert.assertNotNull(AVUser.getQuery()); } |
AVUser extends AVObject { public AVFriendshipQuery friendshipQuery() { return this.friendshipQuery(subClazz == null ? AVUser.class : subClazz); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testFriendshipQuery() { AVUser user = new AVUser(); Assert.assertNotNull(user.friendshipQuery()); } |
AVUser extends AVObject { public static AVUser logIn(String username, String password) throws AVException { return logIn(username, password, AVUser.class); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test(expected = IllegalArgumentException.class) public void testLogIn_nullName() throws Exception { AVUser.logIn("", ""); }
@Test public void testLogin_wrongPwd() { AVException exception = null; try { AVUser.logIn("fsdfsdffsdffsdfsdf", ""); } catch (AVException e) { exception = e; } Assert.assertNotNull(exception); Assert.assertEquals(exception.getCode(), 211); }
@Test public void testLogin() throws AVException { AVUser user = AVUser.logIn(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD); Assert.assertEquals(user.getUsername(), DEFAULT_TEST_USER_NAME); Assert.assertNotNull(user.getSessionToken()); Assert.assertEquals(user.get(DEFAULT_TEST_USER_CUSTOM_KEY), DEFAULT_TEST_USER_CUSTOM_VALUE); } |
AVUser extends AVObject { private void signUp(boolean sync, final SignUpCallback callback) { if (sync) { try { this.save(); if (callback != null) callback.internalDone(null); } catch (AVException e) { if (callback != null) callback.internalDone(e); } } else { this.saveInBackground(new SaveCallback() { @Override public void done(AVException e) { if (callback != null) callback.internalDone(e); } }); } } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testSignUp() throws AVException { AVUser user = new AVUser(); user.setUsername(UUID.randomUUID().toString()); user.setPassword("test"); user.signUp(); } |
AVFile { protected org.json.JSONObject toJSONObject() { Map<String, Object> data = AVUtils.mapFromFile(this); if (!AVUtils.isBlankString(url)) { data.put("url", url); } return new JSONObject(data); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testToJSONObject() throws Exception { String fileName = "FileUnitTestFiles"; AVFile avFile = new AVFile(fileName, TEST_FILE_CONTENT.getBytes()); JSONObject jsonObject = avFile.toJSONObject(); Assert.assertNotNull(jsonObject); Assert.assertEquals(jsonObject.getString("__type"), AVFile.className()); Assert.assertFalse(jsonObject.has("url")); Assert.assertEquals(jsonObject.getString("id"), fileName); } |
AVUser extends AVObject { public static void logInInBackground(String username, String password, LogInCallback<AVUser> callback) { logInInBackground(username, password, callback, AVUser.class); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testLogInInBackground() { final CountDownLatch latch = new CountDownLatch(1); AVUser.logInInBackground(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD, new LogInCallback<AVUser>() { @Override public void done(AVUser user, AVException e) { Assert.assertNull(e); Assert.assertEquals(user.getUsername(), DEFAULT_TEST_USER_NAME); Assert.assertNotNull(user.getSessionToken()); Assert.assertEquals(user.get(DEFAULT_TEST_USER_CUSTOM_KEY), DEFAULT_TEST_USER_CUSTOM_VALUE); latch.countDown(); } }); } |
AVUser extends AVObject { public static AVUser becomeWithSessionToken(String sessionToken) throws AVException { return becomeWithSessionToken(sessionToken, AVUser.class); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testBecomeWithSessionToken() throws AVException { AVUser user = AVUser.logIn(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD); AVUser newUser = AVUser.becomeWithSessionToken(user.getSessionToken()); Assert.assertEquals(user, newUser); } |
AVUser extends AVObject { @JSONField(serialize = false) public List<AVRole> getRoles() throws AVException { AVQuery<AVRole> roleQuery = new AVQuery<AVRole>(AVRole.className); roleQuery.whereEqualTo(AVUser.AVUSER_ENDPOINT, this); return roleQuery.find(); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testGetRoles() throws AVException { AVUser user = AVUser.logIn(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD); AVQuery<AVRole> roleQuery = new AVQuery<AVRole>(AVRole.className); roleQuery.whereEqualTo(AVUser.AVUSER_ENDPOINT, user); List<AVRole> roleList = roleQuery.find(); Assert.assertNotNull(roleList); Assert.assertTrue(roleList.size() > 0); } |
AVUser extends AVObject { public void getRolesInBackground(final AVCallback<List<AVRole>> callback) { AVQuery<AVRole> roleQuery = new AVQuery<AVRole>(AVRole.className); roleQuery.whereEqualTo(AVUSER_ENDPOINT, this); roleQuery.findInBackground(new FindCallback<AVRole>() { @Override public void done(List<AVRole> list, AVException e) { callback.internalDone(list, e); } }); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void getRolesInBackground() throws Exception { AVUser user = AVUser.logIn(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD); AVQuery<AVRole> roleQuery = new AVQuery<AVRole>(AVRole.className); roleQuery.whereEqualTo(AVUser.AVUSER_ENDPOINT, user); final CountDownLatch latch = new CountDownLatch(1); roleQuery.findInBackground(new FindCallback<AVRole>() { @Override public void done(List<AVRole> avObjects, AVException avException) { Assert.assertNotNull(avObjects); Assert.assertTrue(avObjects.size() > 0); latch.countDown(); } }); } |
AVUser extends AVObject { public <T extends AVUser> T refreshSessionToken() { final ArrayList<T> arrayList = new ArrayList<>(); refreshSessionToken(true, new LogInCallback<T>(){ @Override public void done(T user, AVException e) { if (e != null) { AVExceptionHolder.add(e); } else { arrayList.add(user); } } }); return arrayList.get(0); } AVUser(); AVUser(Parcel in); String getFacebookToken(); String getTwitterToken(); String getQqWeiboToken(); static void enableAutomaticUser(); static boolean isEnableAutomatic(); static void disableAutomaticUser(); static synchronized void changeCurrentUser(AVUser newUser, boolean save); static AVUser getCurrentUser(); @SuppressWarnings("unchecked") static T getCurrentUser(Class<T> userClass); String getEmail(); static AVQuery<T> getUserQuery(Class<T> clazz); static AVQuery<AVUser> getQuery(); String getSessionToken(); String getUsername(); boolean isAuthenticated(); void isAuthenticated(final AVCallback<Boolean> callback); boolean isAnonymous(); boolean isNew(); static AVUser logIn(String username, String password); static T logIn(String username, String password, Class<T> clazz); static void logInAnonymously(final LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<AVUser> callback); static void logInInBackground(String username, String password,
LogInCallback<T> callback, Class<T> clazz); static void loginByEmailInBackground(String email, String password, final LogInCallback<AVUser> callback); static void loginByEmailInBackground(String email, String password, final LogInCallback<T> callback, Class<T> clazz); static AVUser loginByMobilePhoneNumber(String phone, String password); static T loginByMobilePhoneNumber(String phone, String password,
Class<T> clazz); static void loginByMobilePhoneNumberInBackground(String phone, String password,
LogInCallback<AVUser> callback); static void loginByMobilePhoneNumberInBackground(String phone,
String password, LogInCallback<T> callback, Class<T> clazz); static AVUser loginBySMSCode(String phone, String smsCode); static T loginBySMSCode(String phone, String smsCode, Class<T> clazz); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<AVUser> callback); static void loginBySMSCodeInBackground(String phone, String smsCode,
LogInCallback<T> callback, Class<T> clazz); T refreshSessionToken(); void refreshSessionTokenInBackground(LogInCallback<T> callback); static AVUser becomeWithSessionToken(String sessionToken); static AVUser becomeWithSessionToken(String sessionToken, Class<T> clazz); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<AVUser> callback); static void becomeWithSessionTokenInBackground(String sessionToken,
LogInCallback<T> callback, Class<T> clazz); static AVUser signUpOrLoginByMobilePhone(String mobilePhoneNumber, String smsCode); static T signUpOrLoginByMobilePhone(String mobilePhoneNumber,
String smsCode, Class<T> clazz); static void signUpOrLoginByMobilePhoneInBackground(String mobilePhoneNumber,
String smsCode, LogInCallback<AVUser> callback); static void signUpOrLoginByMobilePhoneInBackground(
String mobilePhoneNumber, String smsCode, Class<T> clazz, LogInCallback<T> callback); static T newAVUser(Class<T> clazz, LogInCallback<T> cb); static void logOut(); @Override void put(String key, Object value); @Override void remove(String key); static void requestPasswordReset(String email); static void requestPasswordResetInBackground(String email,
RequestPasswordResetCallback callback); void updatePassword(String oldPassword, String newPassword); void updatePasswordInBackground(String oldPassword, String newPassword,
UpdatePasswordCallback callback); static void requestPasswordResetBySmsCode(String phoneNumber); static void requestPasswordResetBySmsCode(String phoneNumber, String validateToken); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestPasswordResetBySmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void resetPasswordBySmsCode(String smsCode, String newPassword); static void resetPasswordBySmsCodeInBackground(String smsCode, String newPassword,
UpdatePasswordCallback callback); static void requestEmailVerify(String email); static void requestEmailVerifyInBackground(String email,
RequestEmailVerifyCallback callback); static void requestMobilePhoneVerify(String phoneNumber); static void requestMobilePhoneVerify(String phoneNumber, String validateToken); static void requestMobilePhoneVerifyInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestMobilePhoneVerifyInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void requestLoginSmsCode(String phoneNumber); static void requestLoginSmsCode(String phoneNumber, String validateToken); static void requestLoginSmsCodeInBackground(String phoneNumber,
RequestMobileCodeCallback callback); static void requestLoginSmsCodeInBackground(String phoneNumber, String validateToken,
RequestMobileCodeCallback callback); static void verifyMobilePhone(String verifyCode); static void verifyMobilePhoneInBackground(String verifyCode,
AVMobilePhoneVerifyCallback callback); void setEmail(String email); void setPassword(String password); void setUsername(String username); String getMobilePhoneNumber(); void setMobilePhoneNumber(String mobilePhoneNumber); boolean isMobilePhoneVerified(); @JSONField(serialize = false) List<AVRole> getRoles(); void getRolesInBackground(final AVCallback<List<AVRole>> callback); void signUp(); void signUpInBackground(SignUpCallback callback); String getSinaWeiboToken(); String getQQWeiboToken(); void followInBackground(String userObjectId, final FollowCallback callback); void followInBackground(String userObjectId, Map<String, Object> attributes,
final FollowCallback callback); void unfollowInBackground(String userObjectId, final FollowCallback callback); static AVQuery<T> followerQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followerQuery(Class<T> clazz); static AVQuery<T> followeeQuery(final String userObjectId,
Class<T> clazz); AVQuery<T> followeeQuery(Class<T> clazz); AVFriendshipQuery friendshipQuery(); AVFriendshipQuery friendshipQuery(Class<T> clazz); static AVFriendshipQuery friendshipQuery(String userId); static AVFriendshipQuery friendshipQuery(String userId,
Class<T> clazz); @Deprecated void getFollowersInBackground(final FindCallback callback); @Deprecated void getMyFolloweesInBackground(final FindCallback callback); void getFollowersAndFolloweesInBackground(final FollowersAndFolloweesCallback callback); static T cast(AVUser user, Class<T> clazz); static void alwaysUseSubUserClass(Class<? extends AVUser> clazz); @Deprecated static void loginWithAuthData(AVThirdPartyUserAuth userInfo,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform, final LogInCallback<AVUser> callback); static void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<AVUser> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform, final boolean asMainAccount,
final LogInCallback<T> callback); static void loginWithAuthData(final Class<T> clazz, final Map<String, Object> authData,
final String platform, final LogInCallback<T> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final String unionId, final String unionIdPlatform,
final boolean asMainAccount, final boolean failOnNotExist,
final LogInCallback<AVUser> callback); void loginWithAuthData(final Map<String, Object> authData, final String platform,
final boolean failOnNotExist, final LogInCallback<AVUser> callback); @Deprecated static void loginWithAuthData(final Class<T> clazz,
final AVThirdPartyUserAuth userInfo, final LogInCallback<T> callback); @Deprecated static void associateWithAuthData(AVUser user, AVThirdPartyUserAuth userInfo,
final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, final SaveCallback callback); void associateWithAuthData(Map<String, Object> authData, String platform, String unionId, String unionIdPlatform,
boolean asMainAccount, final SaveCallback callback); void dissociateAuthData(final String platform, final SaveCallback callback); @Deprecated static void dissociateAuthData(final AVUser user, final String platform,
final SaveCallback callback); static final String LOG_TAG; static final String FOLLOWER_TAG; static final String FOLLOWEE_TAG; static final String SESSION_TOKEN_KEY; static final String SMS_VALIDATE_TOKEN; static final String SMS_PHONE_NUMBER; static final String AVUSER_ENDPOINT; static final String AVUSER_ENDPOINT_FAILON; static final String SNS_TENCENT_WEIBO; static final String SNS_SINA_WEIBO; static final String SNS_TENCENT_WEIXIN; static transient final Creator CREATOR; } | @Test public void testRefreshSessionToken() throws AVException { AVUser.alwaysUseSubUserClass(ChildAVUser.class); AVUser.registerSubclass(ChildAVUser.class); AVUser user = AVUser.logIn(DEFAULT_TEST_USER_NAME, DEFAULT_TEST_USER_PWD, ChildAVUser.class); AVUser newUser = user.refreshSessionToken(); Assert.assertNotNull(newUser.getSessionToken()); Assert.assertTrue(!newUser.getSessionToken().equals(user.getSessionToken())); } |
AVCaptcha { public static void requestCaptchaInBackground(AVCaptchaOption option, final AVCallback<AVCaptchaDigest> callback) { if (null == callback) { return; } PaasClient.storageInstance().getObject("requestCaptcha", getOptionParams(option), false, null, new GenericObjectCallback() { @Override public void onSuccess(String content, AVException e) { AVCaptchaDigest digest = new AVCaptchaDigest(); if (!AVUtils.isBlankString(content)) { Map<String, String> map = JSON.parseObject(content, HashMap.class); if (null != map) { if (map.containsKey(CAPTCHA_TOKEN)) { digest.setNonce(map.get(CAPTCHA_TOKEN)); } if (map.containsKey(CAPTCHA_URL)) { digest.setUrl(map.get(CAPTCHA_URL)); } } } callback.internalDone(digest, null); } @Override public void onFailure(Throwable error, String content) { callback.internalDone(null, AVErrorUtils.createException(error, content)); } }); } static void requestCaptchaInBackground(AVCaptchaOption option, final AVCallback<AVCaptchaDigest> callback); static void verifyCaptchaCodeInBackground(String captchaCode, AVCaptchaDigest digest, final AVCallback<String> callback); } | @Test public void testRequestCaptchaInBackground() throws AVException { final CountDownLatch latch = new CountDownLatch(1); AVCaptchaOption option = new AVCaptchaOption(); option.setWidth(200); option.setHeight(100); AVCaptcha.requestCaptchaInBackground(option, new AVCallback<AVCaptchaDigest>() { @Override protected void internalDone0(AVCaptchaDigest avCaptchaDigest, AVException exception) { Assert.assertNull(exception); Assert.assertNotNull(avCaptchaDigest); Assert.assertNotNull(avCaptchaDigest.getNonce()); Assert.assertNotNull(avCaptchaDigest.getUrl()); latch.countDown(); } @Override protected boolean mustRunOnUIThread() { return false; } }); try { latch.await(); } catch (InterruptedException e) { e.printStackTrace(); Assert.fail(); } } |
AVObject implements Parcelable { private static Object parseObject(Object object) { if (object == null) { return null; } else if (object instanceof Map) { return getParsedMap((Map<String, Object>) object); } else if (object instanceof Collection) { return getParsedList((Collection) object); } else if (object instanceof AVObject) { return ((AVObject) object).toJSONObject(); } else if (object instanceof AVGeoPoint) { return AVUtils.mapFromGeoPoint((AVGeoPoint) object); } else if (object instanceof Date) { return AVUtils.mapFromDate((Date) object); } else if (object instanceof byte[]) { return AVUtils.mapFromByteArray((byte[]) object); } else if (object instanceof AVFile) { return ((AVFile) object).toJSONObject(); } else if (object instanceof org.json.JSONObject) { return JSON.parse(object.toString()); } else if (object instanceof org.json.JSONArray) { return JSON.parse(object.toString()); } else { return object; } } AVObject(); AVObject(String theClassName); AVObject(Parcel in); @Override String toString(); JSONObject toJSONObject(); boolean isFetchWhenSave(); void setFetchWhenSave(boolean fetchWhenSave); String getUuid(); static void registerSubclass(Class<T> clazz); void add(String key, Object value); void addAll(String key, Collection<?> values); static AVQuery<T> getQuery(Class<T> clazz); void addAllUnique(String key, Collection<?> values); void addUnique(String key, Object value); boolean containsKey(String key); static AVObject create(String className); static AVObject parseAVObject(String avObjectString); static AVObject createWithoutData(String className, String objectId); static T createWithoutData(Class<T> clazz, String objectId); void delete(); void delete(AVDeleteOption option); static void deleteAll(Collection<? extends AVObject> objects); static void deleteAllInBackground(Collection<? extends AVObject> objects,
DeleteCallback deleteCallback); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(AVDeleteOption option); void deleteInBackground(AVDeleteOption option, DeleteCallback callback); void deleteInBackground(DeleteCallback callback); AVObject fetch(); AVObject fetch(String includeKeys); static List<AVObject> fetchAll(List<AVObject> objects); static List<AVObject> fetchAllIfNeeded(List<AVObject> objects); static void fetchAllIfNeededInBackground(List<AVObject> objects,
FindCallback<AVObject> callback); static void fetchAllInBackground(List<AVObject> objects,
final FindCallback<AVObject> callback); AVObject fetchIfNeeded(); AVObject fetchIfNeeded(String includeKeys); void fetchIfNeededInBackground(GetCallback<AVObject> callback); void fetchIfNeededInBackground(String includeKeys, GetCallback<AVObject> callback); void fetchInBackground(GetCallback<AVObject> callback); void fetchInBackground(String includeKeys, GetCallback<AVObject> callback); Object get(String key); AVACL getACL(); boolean getBoolean(String key); byte[] getBytes(String key); String getClassName(); Date getCreatedAt(); Date getDate(String key); double getDouble(String key); int getInt(String key); JSONArray getJSONArray(String key); JSONObject getJSONObject(String key); List getList(String key); List<T> getList(String key, Class<T> clazz); long getLong(String key); Map<String, V> getMap(String key); Number getNumber(String key); String getObjectId(); @SuppressWarnings("unchecked") T getAVFile(String key); AVGeoPoint getAVGeoPoint(String key); @SuppressWarnings("unchecked") T getAVObject(String key); T getAVObject(String key, Class<T> clazz); @SuppressWarnings("unchecked") T getAVUser(String key); T getAVUser(String key, Class<T> clazz); AVRelation<T> getRelation(String key); String getString(String key); Date getUpdatedAt(); boolean has(String key); boolean hasSameId(AVObject other); void increment(String key); void increment(final String key, final Number amount); boolean isDataAvailable(); Set<String> keySet(); void put(final String key, final Object value); void refresh(); void refresh(String includeKeys); void refreshInBackground(RefreshCallback<AVObject> callback); void refreshInBackground(String includeKeys, RefreshCallback<AVObject> callback); void remove(String key); void removeAll(final String key, final Collection<?> values); void save(); void save(AVSaveOption option); static void saveAll(List<? extends AVObject> objects); static void saveAllInBackground(List<? extends AVObject> objects); static void saveAllInBackground(List<? extends AVObject> objects, SaveCallback callback); void saveEventually(); void saveEventually(SaveCallback callback); void saveInBackground(); void saveInBackground(AVSaveOption option); void saveInBackground(SaveCallback callback); void saveInBackground(AVSaveOption option, SaveCallback callback); void setACL(AVACL acl); void setObjectId(String newObjectId); static void saveFileBeforeSave(List<AVFile> files, final boolean sync,
final SaveCallback callback); @Override int hashCode(); @Override boolean equals(Object obj); @Override int describeContents(); @Override void writeToParcel(Parcel out, int i); static final String CREATED_AT; static final String UPDATED_AT; static final String OBJECT_ID; static final Set<String> INVALID_KEYS; static transient final Creator CREATOR; } | @Test public void testAVObjectDeserialize() { String data = "{\n" + " \"image\": {\n" + " \"bucket\": \"xtuccgoj\",\n" + " \"metaData\": {\n" + " \"owner\": \"unknown\",\n" + " \"size\": 12382\n" + " },\n" + " \"createdAt\": \"2019-06-22T07:18:09.584Z\",\n" + " \"mime_type\": \"image/jpeg\",\n" + " \"__type\": \"File\",\n" + " \"name\": \"shop_vip_qq.jpg\",\n" + " \"url\": \"http: " \"objectId\": \"5d0dd631eaa375007402d28a\",\n" + " \"updatedAt\": \"2019-06-22T07:18:09.584Z\"\n" + " },\n" + " \"createdAt\": \"2019-06-22T06:48:28.395Z\",\n" + " \"__type\": \"Object\",\n" + " \"name\": \"腾讯会员月卡\",\n" + " \"end\": \"-1\",\n" + " \"className\": \"ShopItem\",\n" + " \"type\": 1,\n" + " \"value\": 19000,\n" + " \"objectId\": \"5d0dcf3c43e78c0073024a19\",\n" + " \"updatedAt\": \"2019-06-22T12:11:50.924Z\"\n" + "}"; AVObject obj = JSON.parseObject(data, AVObject.class); } |
AVFile { public AVFile() { super(); if (PaasClient.storageInstance().getDefaultACL() != null) { acl = new AVACL(PaasClient.storageInstance().getDefaultACL()); } } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testAVFile() { AVFile file = new AVFile(); Assert.assertNotNull(file); } |
AVFile { public void setObjectId(String objectId) { this.objectId = objectId; } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testSetObjectId() { String objectId = "testObjectId"; AVFile file = new AVFile(); file.setObjectId(objectId); Assert.assertEquals(objectId, file.getObjectId()); } |
AVFile { public Object addMetaData(String key, Object val) { return metaData.put(key, val); } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testAddMetaData() { AVFile file = new AVFile(); file.addMetaData("key", "value"); Assert.assertEquals(file.getMetaData("key"), "value"); } |
AVFile { public HashMap<String, Object> getMetaData() { return metaData; } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetMetaData() { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); Assert.assertNotNull(file.getMetaData()); } |
AVFile { public int getSize() { Number size = (Number) getMetaData("size"); if (size != null) return size.intValue(); else return -1; } AVFile(); @Deprecated AVFile(byte[] data); AVFile(String name, String url, Map<String, Object> metaData); protected AVFile(String name, String url, Map<String, Object> metaData, boolean external); AVFile(String name, byte[] data); protected AVFile(String name, String url); static void setUploadHeader(String key, String value); String getObjectId(); void setObjectId(String objectId); @Deprecated static void parseFileWithObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); static void withObjectIdInBackground(final String objectId,
final GetFileCallback<AVFile> cb); @Deprecated static AVFile parseFileWithObjectId(String objectId); static AVFile withObjectId(String objectId); @Deprecated static AVFile parseFileWithAVObject(AVObject obj); static AVFile withAVObject(AVObject obj); @Deprecated static AVFile parseFileWithAbsoluteLocalPath(String name, String absoluteLocalFilePath); static AVFile withAbsoluteLocalPath(String name, String absoluteLocalFilePath); @Deprecated static AVFile parseFileWithFile(String name, File file); static AVFile withFile(String name, File file); HashMap<String, Object> getMetaData(); Object addMetaData(String key, Object val); Object getMetaData(String key); int getSize(); String getOwnerObjectId(); Object removeMetaData(String key); void clearMetaData(); String getName(); String getOriginalName(); void setName(String name); static String getMimeType(String url); boolean isDirty(); @Deprecated boolean isDataAvailable(); String getUrl(); String getThumbnailUrl(boolean scaleToFit, int width, int height); String getThumbnailUrl(boolean scaleToFit, int width, int height, int quality, String fmt); void setUrl(String url); void save(); synchronized void saveInBackground(final SaveCallback saveCallback,
final ProgressCallback progressCallback); void saveInBackground(SaveCallback callback); void saveInBackground(); @Deprecated @JSONField(serialize = false) byte[] getData(); @JSONField(serialize = false) InputStream getDataStream(); void getDataInBackground(final GetDataCallback dataCallback,
final ProgressCallback progressCallback); void getDataInBackground(GetDataCallback dataCallback); void getDataStreamInBackground(GetDataStreamCallback callback); void getDataStreamInBackground(final GetDataStreamCallback callback, final ProgressCallback progressCallback); void cancel(); void delete(); void deleteEventually(); void deleteEventually(DeleteCallback callback); void deleteInBackground(); void deleteInBackground(DeleteCallback callback); static String className(); Uploader getUploader(SaveCallback saveCallback, ProgressCallback progressCallback); String getBucket(); void setBucket(String bucket); AVACL getACL(); void setACL(AVACL acl); void clearCachedFile(); static void clearAllCachedFiles(); static void clearCacheMoreThanDays(int days); static String DEFAULTMIMETYPE; static final String AVFILE_ENDPOINT; } | @Test public void testGetSize() { AVFile file = new AVFile("name", TEST_FILE_CONTENT.getBytes()); Assert.assertEquals(file.getSize(), TEST_FILE_CONTENT.length()); } |
SnackbarAdapter extends RecyclerView.Adapter<SnackbarAdapter.ViewHolder> { public boolean isEmpty() { return mSnackbarViews == null || mSnackbarViews.size() == 0; } @Override ViewHolder onCreateViewHolder(ViewGroup parent, int position); @Override void onBindViewHolder(ViewHolder holder, int position); @Override int getItemViewType(int position); @Override int getItemCount(); boolean isEmpty(); synchronized void addItem(SnackbarView item); synchronized void removeItem(SnackbarView view); SnackbarView getSnackbarView(int index); } | @Test public void testZeroAdapterSize(){ Assert.assertTrue(mAdapter.isEmpty()); } |
SnackbarAdapter extends RecyclerView.Adapter<SnackbarAdapter.ViewHolder> { @Override public ViewHolder onCreateViewHolder(ViewGroup parent, int position) { View view = mSnackbarViews.get(position).onCreateView(parent); ViewHolder viewHolder = new ViewHolder(view); return viewHolder; } @Override ViewHolder onCreateViewHolder(ViewGroup parent, int position); @Override void onBindViewHolder(ViewHolder holder, int position); @Override int getItemViewType(int position); @Override int getItemCount(); boolean isEmpty(); synchronized void addItem(SnackbarView item); synchronized void removeItem(SnackbarView view); SnackbarView getSnackbarView(int index); } | @Test public void testOnCreateViewHolder() throws Exception { mAdapter.addItem(viewMock); PowerMockito.whenNew(SnackbarAdapter.ViewHolder.class).withAnyArguments().thenReturn(mViewHolder); mAdapter.onCreateViewHolder(null, 0); Mockito.verify(viewMock, Mockito.times(1)).onCreateView(null); } |
SnackbarAdapter extends RecyclerView.Adapter<SnackbarAdapter.ViewHolder> { @Override public void onBindViewHolder(ViewHolder holder, int position) { SnackbarView snackbarView = mSnackbarViews.get(position); if (snackbarView != null) { snackbarView.onBindView(); } } @Override ViewHolder onCreateViewHolder(ViewGroup parent, int position); @Override void onBindViewHolder(ViewHolder holder, int position); @Override int getItemViewType(int position); @Override int getItemCount(); boolean isEmpty(); synchronized void addItem(SnackbarView item); synchronized void removeItem(SnackbarView view); SnackbarView getSnackbarView(int index); } | @Test public void testOnBindViewHolder() throws Exception{ mAdapter.addItem(viewMock); PowerMockito.whenNew(SnackbarAdapter.ViewHolder.class).withAnyArguments().thenReturn(mViewHolder); mAdapter.onCreateViewHolder(null, 0); mAdapter.onBindViewHolder(mViewHolder,0); Mockito.verify(viewMock, Mockito.times(1)).onBindView(); } |
SnackbarAdapter extends RecyclerView.Adapter<SnackbarAdapter.ViewHolder> { public synchronized void addItem(SnackbarView item) { mSnackbarViews.add(item); int position = mSnackbarViews.indexOf(item); notifyItemInserted(position); } @Override ViewHolder onCreateViewHolder(ViewGroup parent, int position); @Override void onBindViewHolder(ViewHolder holder, int position); @Override int getItemViewType(int position); @Override int getItemCount(); boolean isEmpty(); synchronized void addItem(SnackbarView item); synchronized void removeItem(SnackbarView view); SnackbarView getSnackbarView(int index); } | @Test public void testAddItem(){ mAdapter.addItem(viewMock); Assert.assertEquals(mAdapter.getItemCount(),1); } |
SnackbarAdapter extends RecyclerView.Adapter<SnackbarAdapter.ViewHolder> { public synchronized void removeItem(SnackbarView view) { int position = mSnackbarViews.indexOf(view); if (position > -1) { mSnackbarViews.remove(position); notifyItemRemoved(position); } } @Override ViewHolder onCreateViewHolder(ViewGroup parent, int position); @Override void onBindViewHolder(ViewHolder holder, int position); @Override int getItemViewType(int position); @Override int getItemCount(); boolean isEmpty(); synchronized void addItem(SnackbarView item); synchronized void removeItem(SnackbarView view); SnackbarView getSnackbarView(int index); } | @Test public void testRemoveItem(){ mAdapter.addItem(viewMock); Assert.assertEquals(mAdapter.getItemCount(),1); mAdapter.removeItem(viewMock); Assert.assertEquals(mAdapter.getItemCount(),0); } |
NumberInterval { @Override public boolean equals(Object obj) { if (!(obj instanceof NumberInterval)) { return false; } NumberInterval rhs = (NumberInterval) obj; return Objects.equals(low, rhs.low) && Objects.equals(high, rhs.high); } NumberInterval(); NumberInterval(NumberIntervalBoundary low, NumberIntervalBoundary high); @Override boolean equals(Object obj); @Override int hashCode(); @Override String toString(); void validate(); boolean overlaps(NumberInterval rhs); boolean doesNotOverlap(NumberInterval rhs); boolean contains(Double value); NumberIntervalBoundary getLow(); void setLow(NumberIntervalBoundary low); NumberIntervalBoundary getHigh(); void setHigh(NumberIntervalBoundary high); } | @Test public void testEqualsNotEqualToNull() { Object rhs = null; NumberInterval instance = new NumberInterval(); assertFalse(instance.equals(rhs)); }
@Test public void testEqualsNotEqualToOtherClasses() { Object rhs = new Object(); NumberInterval instance = new NumberInterval(); assertFalse(instance.equals(rhs)); }
@Test public void testEquals() { NumberInterval rhs = new NumberInterval(); rhs.setLow(new NumberIntervalBoundary(0.0)); rhs.setHigh(new NumberIntervalBoundary(10.0)); NumberInterval instance = new NumberInterval(); instance.setLow(new NumberIntervalBoundary(0.0)); instance.setHigh(new NumberIntervalBoundary(10.0)); assertTrue(instance.equals(rhs)); } |
NumberInterval { public void validate() throws BadValueException { if (low == null) { throw new BadValueException("NumberInterval.low is required"); } if (high == null) { throw new BadValueException("NumberInterval.high is required"); } low.validate(); high.validate(); int compareLowHigh = low.compareBoundaryTo(high); if (compareLowHigh > 0) { throw new BadValueException("NumberInterval.low > NumberInterval.high"); } if (compareLowHigh == 0 && (!low.isInclusive() || !high.isInclusive())) { throw new BadValueException("NumberInterval: when low = high both ends must be inclusive"); } } NumberInterval(); NumberInterval(NumberIntervalBoundary low, NumberIntervalBoundary high); @Override boolean equals(Object obj); @Override int hashCode(); @Override String toString(); void validate(); boolean overlaps(NumberInterval rhs); boolean doesNotOverlap(NumberInterval rhs); boolean contains(Double value); NumberIntervalBoundary getLow(); void setLow(NumberIntervalBoundary low); NumberIntervalBoundary getHigh(); void setHigh(NumberIntervalBoundary high); } | @Test public void testValidateLowAndHighEqual() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, true) ); instance.validate(); }
@Test public void testValidateInfinity() throws Exception { NumberInterval instance = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, NumberIntervalBoundary.POSITIVE_INFINITY ); instance.validate(); }
@Test public void testValidateLowInfinity() throws Exception { NumberInterval instance = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, new NumberIntervalBoundary(10.0, true) ); instance.validate(); }
@Test public void testValidateHighInfinity() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(10.0, true), NumberIntervalBoundary.POSITIVE_INFINITY ); instance.validate(); }
@Test public void testValidate() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(-10.0), new NumberIntervalBoundary(10.0, false) ); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateNoBoundaries() throws Exception { NumberInterval instance = new NumberInterval(); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateNoLow() throws Exception { NumberInterval instance = new NumberInterval(null, NumberIntervalBoundary.POSITIVE_INFINITY); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateNoHigh() throws Exception { NumberInterval instance = new NumberInterval(NumberIntervalBoundary.NEGATIVE_INFINITY, null); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateHighLessThanLow() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(10.0), new NumberIntervalBoundary(0.0) ); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateLowAndHighEqualLowNotInclusive() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(10.0), new NumberIntervalBoundary(10.0, true) ); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateLowAndHighEqualHighNotInclusive() throws Exception { NumberInterval instance = new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, false) ); instance.validate(); } |
NumberInterval { public boolean overlaps(NumberInterval rhs) { return !doesNotOverlap(rhs); } NumberInterval(); NumberInterval(NumberIntervalBoundary low, NumberIntervalBoundary high); @Override boolean equals(Object obj); @Override int hashCode(); @Override String toString(); void validate(); boolean overlaps(NumberInterval rhs); boolean doesNotOverlap(NumberInterval rhs); boolean contains(Double value); NumberIntervalBoundary getLow(); void setLow(NumberIntervalBoundary low); NumberIntervalBoundary getHigh(); void setHigh(NumberIntervalBoundary high); } | @Test public void testOverlaps() { NumberInterval lhs; NumberInterval rhs; lhs = new NumberInterval( new NumberIntervalBoundary(-10.0), new NumberIntervalBoundary(10.0) ); testOverlapCommon(lhs); rhs = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, new NumberIntervalBoundary(-10.0, true) ); assertDontOverlap(lhs, rhs); rhs = new NumberInterval( new NumberIntervalBoundary(10.0, true), NumberIntervalBoundary.POSITIVE_INFINITY ); assertDontOverlap(lhs, rhs); lhs = new NumberInterval( new NumberIntervalBoundary(-10.0, true), new NumberIntervalBoundary(10.0) ); testOverlapCommon(lhs); rhs = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, new NumberIntervalBoundary(-10.0, true) ); assertOverlap(lhs, rhs); rhs = new NumberInterval( new NumberIntervalBoundary(10.0, true), NumberIntervalBoundary.POSITIVE_INFINITY ); assertDontOverlap(lhs, rhs); lhs = new NumberInterval( new NumberIntervalBoundary(-10.0), new NumberIntervalBoundary(10.0, true) ); testOverlapCommon(lhs); rhs = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, new NumberIntervalBoundary(-10.0, true) ); assertDontOverlap(lhs, rhs); rhs = new NumberInterval( new NumberIntervalBoundary(10.0, true), NumberIntervalBoundary.POSITIVE_INFINITY ); assertOverlap(lhs, rhs); lhs = new NumberInterval( new NumberIntervalBoundary(-10.0, true), new NumberIntervalBoundary(10.0, true) ); testOverlapCommon(lhs); rhs = new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, new NumberIntervalBoundary(-10.0, true) ); assertOverlap(lhs, rhs); rhs = new NumberInterval( new NumberIntervalBoundary(10.0, true), NumberIntervalBoundary.POSITIVE_INFINITY ); assertOverlap(lhs, rhs); } |
NumberAttributeDomainDto extends AttributeDomainDto { @Override public void validate() throws BadValueException { if (intervals == null) { return; } for (NumberInterval interval : intervals) { interval.validate(); } int size = intervals.size(); int count = 0; for (NumberInterval interval : intervals) { validateNoOverlap(interval, intervals.subList(++count, size)); } } NumberAttributeDomainDto(); NumberAttributeDomainDto(List<NumberInterval> intervals); @Override boolean equals(Object obj); @Override int hashCode(); @Override AttributeType getType(); @Override void accept(AttributeDomainDtoVisitor visitor); @Override void validate(); List<NumberInterval> getIntervals(); void setIntervals(List<NumberInterval> intervals); } | @Test public void testValidateNoIntervals() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(); instance.validate(); }
@Test public void testValidateEmptyIntervals() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList()); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateBadInterval() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval() )); instance.validate(); }
@Test public void testValidateSingle() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, NumberIntervalBoundary.POSITIVE_INFINITY ) )); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateOverlap() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, NumberIntervalBoundary.POSITIVE_INFINITY ), new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, true) ) )); instance.validate(); }
@Test(expected = BadValueException.class) public void testValidateOverlapSwapped() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, true) ), new NumberInterval( NumberIntervalBoundary.NEGATIVE_INFINITY, NumberIntervalBoundary.POSITIVE_INFINITY ) )); instance.validate(); }
@Test public void testValidateTwo() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, true) ), new NumberInterval( new NumberIntervalBoundary(10.0, false), new NumberIntervalBoundary(20.0, true) ) )); instance.validate(); }
@Test public void testValidateTwoSwapped() throws Exception { NumberAttributeDomainDto instance = new NumberAttributeDomainDto(Arrays.asList( new NumberInterval( new NumberIntervalBoundary(10.0, false), new NumberIntervalBoundary(20.0, true) ), new NumberInterval( new NumberIntervalBoundary(10.0, true), new NumberIntervalBoundary(10.0, true) ) )); instance.validate(); } |
StringAttributeDomainDto extends AttributeDomainDto { @Override public void validate() throws BadValueException { if (regex == null) { return; } try { Pattern.compile(regex); } catch (PatternSyntaxException ex) { throw new BadValueException("Invalid regex: " + ex.getMessage(), ex); } } StringAttributeDomainDto(); StringAttributeDomainDto(String regex); @Override AttributeType getType(); @Override void accept(AttributeDomainDtoVisitor visitor); @Override void validate(); String getRegex(); void setRegex(String regex); } | @Test public void testValidateNoRegex() throws BadValueException { StringAttributeDomainDto instance = new StringAttributeDomainDto(); instance.validate(); }
@Test public void testValidateEmptyRegex() throws BadValueException { StringAttributeDomainDto instance = new StringAttributeDomainDto(""); instance.validate(); }
@Test(expected = PatternSyntaxException.class) public void testValidateBadRegex() throws BadValueException, Throwable { StringAttributeDomainDto instance = new StringAttributeDomainDto("["); try { instance.validate(); } catch (BadValueException ex) { if (ex.getCause() instanceof PatternSyntaxException) { throw ex.getCause(); } throw ex; } }
@Test public void testValidateRegex() throws BadValueException { StringAttributeDomainDto instance = new StringAttributeDomainDto("prefix-[0-9]+"); instance.validate(); } |
NumberIntervalBoundary { @Override public boolean equals(Object obj) { if (!(obj instanceof NumberIntervalBoundary)) { return false; } NumberIntervalBoundary rhs = (NumberIntervalBoundary) obj; return Objects.equals(boundary, rhs.boundary) && (isInclusive() == rhs.isInclusive()); } NumberIntervalBoundary(); NumberIntervalBoundary(Double boundary); NumberIntervalBoundary(Double boundary, Boolean inclusive); @Override boolean equals(Object obj); @Override int hashCode(); int compareBoundaryTo(NumberIntervalBoundary rhs); void validate(); Double getBoundary(); void setBoundary(Double boundary); @JsonIgnore boolean isInclusive(); Boolean getInclusive(); void setInclusive(Boolean inclusive); static NumberIntervalBoundary POSITIVE_INFINITY; static NumberIntervalBoundary NEGATIVE_INFINITY; } | @Test public void testNotEqualToNull() { Object rhs = null; NumberIntervalBoundary instance = new NumberIntervalBoundary(); assertFalse(instance.equals(rhs)); }
@Test public void testNotEqualToOtherClasses() { Object rhs = new Object(); NumberIntervalBoundary instance = new NumberIntervalBoundary(); assertFalse(instance.equals(rhs)); }
@Test public void testNotEqualToDifferentBoundarySameInclusion() { NumberIntervalBoundary rhs = new NumberIntervalBoundary(10.0); NumberIntervalBoundary instance = new NumberIntervalBoundary(11.0); assertFalse(instance.equals(rhs)); }
@Test public void testNotEqualToSameBoundaryDifferentInclusion() { NumberIntervalBoundary rhs = new NumberIntervalBoundary(10.0, true); NumberIntervalBoundary instance = new NumberIntervalBoundary(10.0, false); assertFalse(instance.equals(rhs)); }
@Test public void testNotEqualToDifferentBoundaryDifferentInclusion() { NumberIntervalBoundary rhs = new NumberIntervalBoundary(10.0, true); NumberIntervalBoundary instance = new NumberIntervalBoundary(12.0, null); assertFalse(instance.equals(rhs)); }
@Test public void testEquals() { NumberIntervalBoundary rhs = new NumberIntervalBoundary(10.0, true); NumberIntervalBoundary instance = new NumberIntervalBoundary(10.0, true); assertTrue(instance.equals(rhs)); } |
Subsets and Splits