开源框架2

网络请求_Retrofit

  • 主页: https://github.com/square/retrofit
  • http://square.github.io/retrofit/
    *
  • 注意: 使用Retrofit的前提是服务器端代码遵循REST规范 !!!!!
  • 功能:
    • 效率非常高
    • 可以直接将结果转换称Java类
    • 主要是配合RxJava一起使用
  • 配置:

    • 添加Retrofit依赖: compile ‘com.squareup.retrofit2:retrofit:2.0.2’
    • 添加数据解析依赖,根据实际情况进行选择
      • Gson : com.squareup.retrofit2:converter-gson:2.0.2
      • Jackson : com.squareup.retrofit2:converter-jackson:2.0.2
      • Moshi : com.squareup.retrofit2:converter-moshi:2.0.2
      • Protobuf : com.squareup.retrofit2:converter-protobuf:2.0.2
      • Wire : com.squareup.retrofit2:converter-wire:2.0.2
      • Simple XML : com.squareup.retrofit2:converter-simplexml:2.0.2
  • 使用步骤:

    1. 使用AndroidStudio gsonFormat插件创建数据模型
      http://apis.juhe.cn/mobile/get?phone=13612345678&key=daf8fa858c330b22e342c882bcbac622

    2. 创建REST API 接口

      • 常用注解:

        • 请求方法:@GET / @POST / @PUT / @DELETE / @HEAD
        • URL处理

          • @Path - 替换参数

            @GET("/group/{id}/users")
            public Call> groupList(@Path("id") int groupId);
            
          • @Query - 添加查询参数

            @GET("/group/{id}/users")
            public Call> groupList(@Path("id") int groupId, @Query("sort") String sort);
            
          • @QueryMap - 如果有多个查询参数,把它们放在Map中

            @GET("/group/{id}/users")
            public Call> groupList(@Path("id") int groupId, @QueryMap Map options);
            
      • 示例代码:

        public interface NetAPI {
            @GET("/users/{user}")
            public Call getFeed(@Path("user") String user);
        
            @GET("/service/getIpInfo.php")
            public Call getWeather(@Query("city")String city);
        }
        
    3. 创建Retrofit对象, 并发起请求.示例代码:

      // 构建Retrofit实例
      Retrofit retrofit = new Retrofit.Builder().
              baseUrl(API2).
              addConverterFactory(GsonConverterFactory.create()).
              build();
      
      // 构建接口的实现类
      IpAPI weatherAPI = retrofit.create(IpAPI.class);
      
      // 调用接口定义的方法
      Call weatherCall = weatherAPI.getWeather("8.8.8.8");
      
      // 异步执行请求
      weatherCall.enqueue(new Callback() {
          @Override
          public void onResponse(Call call, Response response) {
              IPModel model = response.body();
              System.out.println("country:" + model.getData().getCountry());
          }
      
          @Override
          public void onFailure(Call call, Throwable t) {
              System.out.println(t.toString());
          }
      });
      
  • 优点:

图像

3.1图像_UIL

  • 主页: https://github.com/nostra13/Android-Universal-Image-Loader
  • 使用步骤:

    1. 添加依赖: compile ‘com.nostra13.universalimageloader:universal-image-loader:1.9.5’
    2. 添加权限:

            
      
      
    3. 在Application或Activity中进行初始化配置

      // ImageLoaderConfiguration 详细配置
      File cacheDir = StorageUtils.getOwnCacheDirectory(getApplicationContext(), "imageloader/Cache"); // 自定义缓存文件夹
      ImageLoaderConfiguration config = new ImageLoaderConfiguration.Builder(context)
           .memoryCacheExtraOptions(480, 800) // 指定缓存到内存时图片的大小,默认是屏幕尺寸的长宽
           .diskCacheExtraOptions(480, 800, null) // 指定缓存到硬盘时图片的大小,并不建议使用
           .taskExecutor(new Executor()) // 自定义一个线程来加载和显示图片
           .taskExecutorForCachedImages(new Executor())// 自定义一个线程来缓存图片
           .threadPoolSize(3) // default, 指定线程池大小
           .threadPriority(Thread.NORM_PRIORITY - 2) // default ,指定线程优先级 
           .tasksProcessingOrder(QueueProcessingType.FIFO) // default , 指定加载显示图片的任务队列的类型
           .denyCacheImageMultipleSizesInMemory() // 禁止在内存中缓存同一张图片的多个尺寸类型
           .memoryCache(new LruMemoryCache(2 * 1024 * 1024)) // 指定内存缓存的大小,默认值为1/8 应用的最大可用内存
           .memoryCacheSize(2 * 1024 * 1024) 
           .memoryCacheSizePercentage(13) // default
           .diskCache(new UnlimitedDiskCache(cacheDir)) // default , 指定硬盘缓存的地址
           .diskCacheSize(50 * 1024 * 1024) // 指定硬盘缓存的大小
           .diskCacheFileCount(100) // 指定硬盘缓存的文件个数
           .diskCacheFileNameGenerator(new HashCodeFileNameGenerator()) // default , 指定硬盘缓存时文件名的生成器
           .imageDownloader(new BaseImageDownloader(context)) // default , 指定图片下载器
           .imageDecoder(new BaseImageDecoder()) // default , 指定图片解码器
           .defaultDisplayImageOptions(DisplayImageOptions.createSimple()) // default , 指定图片显示的配置
           .writeDebugLogs() // 是否显示Log
           .build();
      
      // ImageLoaderConfiguration 简单初始化
      ImageLoaderConfiguration configuration = ImageLoaderConfiguration.createDefault(this);
      // 初始化配置
      ImageLoader.getInstance().init(configuration);  
      
    4. DisplayImageOptions 参数详解:

      DisplayImageOptions options = new DisplayImageOptions.Builder()
          .showImageOnLoading(R.drawable.ic_stub) // 图片正在加载时显示的图片资源ID
          .showImageForEmptyUri(R.drawable.ic_empty) // URI为空时显示的图片资源ID
          .showImageOnFail(R.drawable.ic_error) // 图片加载失败时显示的图片资源ID
          .resetViewBeforeLoading(false)  // default 图片在下载前是否重置,复位
          .delayBeforeLoading(1000) // 图片开始加载前的延时.默认是0
          .cacheInMemory(false) // default , 是否缓存在内存中, 默认不缓存
          .cacheOnDisk(false) // default , 是否缓存在硬盘 , 默认不缓存
          .preProcessor(new BitmapProcessor) // 设置图片缓存在内存前的图片处理器
          .postProcessor(new BitmapProcessor) // 设置图片在缓存到内存以后 , 显示在界面之前的图片处理器
          .extraForDownloader(...) // 为图片下载设置辅助参数
          .considerExifParams(false) // default , 设置是否考虑JPEG图片的EXIF参数信息,默认不考虑
          .imageScaleType(ImageScaleType.IN_SAMPLE_POWER_OF_2) // default , 指定图片缩放的方式,ListView/GridView/Gallery推荐使用此默认值
          .bitmapConfig(Bitmap.Config.ARGB_8888) // default , 指定图片的质量,默认是 ARGB_8888
          .decodingOptions(...) // 指定图片的解码方式
          .displayer(new SimpleBitmapDisplayer()) // default , 设置图片显示的方式,用于自定义
          .handler(new Handler()) // default ,设置图片显示的方式和ImageLoadingListener的监听, 用于自定义
          .build();
      
    5. 显示图片的方法:

      ImageLoader.getInstance().loadImage(String uri, ImageLoadingListener listener)  
      
      displayImage(String uri, ImageView imageView)
      displayImage(String uri, ImageView imageView, DisplayImageOptions options)
      displayImage(String uri, ImageView imageView, DisplayImageOptions options,
              ImageLoadingListener listener, ImageLoadingProgressListener progressListener) 
      
    6. 特殊用法:

      1. 显示圆形图片.使用该效果,必须显式指定图片的宽高

        DisplayImageOptions options = new DisplayImageOptions.Builder()
                .displayer(new CircleBitmapDisplayer())
                .build();
        
      2. 显示圆角图片.使用该效果,必须显式指定图片的宽高

        DisplayImageOptions options = new DisplayImageOptions.Builder()
                .displayer(new RoundedBitmapDisplayer(90))
                .build();
        
      3. 显示渐显图片

        DisplayImageOptions options = new DisplayImageOptions.Builder()
                .displayer(new FadeInBitmapDisplayer(3000))
                .build();
        

3.2图像_Fresco

  • 主页: https://github.com/facebook/fresco
  • 中文文档: http://fresco-cn.org/docs/index.html
  • 中文网站:http://www.fresco-cn.org/
  • 使用步骤

    1. 添加依赖: compile ‘com.facebook.fresco:fresco:0.9.0+’
    2. 添加权限

      
      
    3. 在Application初始化或在Activity 的setContentView()方法之前,进行初始化

      Fresco.initialize(this);
      
    4. 在布局文件中添加图片控件.宽高必须显示指定,否则图片无法显示.

      
      
    5. 在Java代码中指定图片的路径.显示图片.SimpleDraweeView接收的路径参数为URI,所以需要一次转换.

      Uri uri = Uri.parse(URL_IMG2);
      SimpleDraweeView view = (SimpleDraweeView) findViewById(R.id.my_image_view);
      view.setImageURI(uri);
      
    6. XML方式配置参数.除图片地址以外,其他所有显示选项都可以在布局文件中指定

       // 设置圆角后,外边框的宽高
      

    7. Java代码配置参数.

          GenericDraweeHierarchy hierarchy = GenericDraweeHierarchyBuilder
                  .newInstance(getResources())
                  .setRetryImage(getResources().getDrawable(R.mipmap.ic_launcher))
                  .build();
      
          imageivew.setHierarchy(hierarchy);
      
    8. 显示GIF图片.Fresco 支持 GIF 和 WebP 格式的动画图片.如果你希望图片下载完之后自动播放,同时,当View从屏幕移除时,停止播放,只需要在 image request 中简单设置,示例代码:

          DraweeController controller = Fresco.newDraweeControllerBuilder()
                  .setUri(URL_GIF)
                  .setAutoPlayAnimations(true)
                  .build();
          simpleDraweeView.setController(controller);
      

3.3图像_Picasso

  • 主页: https://github.com/square/picasso
  • 使用步骤

    1. 添加依赖 compile ‘com.squareup.picasso:picasso:2.5.2’
    2. 添加权限:

      
      
    3. 加载图片,示例代码:

      Picasso
              .with(this)// 指定Context
              .load(URL_IMG3) //指定图片URL
              .placeholder(R.mipmap.ic_launcher) //指定图片未加载成功前显示的图片
              .error(R.mipmap.ic_launcher)// 指定图片加载失败显示的图片
              .resize(300, 300)// 指定图片的尺寸
              .fit()// 指定图片缩放类型为fit
              .centerCrop()// 指定图片缩放类型为centerCrop
              .centerInside()// 指定图片缩放类型为centerInside
              .memoryPolicy(MemoryPolicy.NO_CACHE, MemoryPolicy.NO_STORE)// 指定内存缓存策略
              .priority(Picasso.Priority.HIGH)// 指定优先级
              .into(imageView); // 指定显示图片的ImageView
      
    4. 显示圆形图片.示例代码:

          // 自定义Transformation
          Transformation transform = new Transformation() {
              @Override
              public Bitmap transform(Bitmap source) {
                  int size = Math.min(source.getWidth(), source.getHeight());
                  int x = (source.getWidth() - size) / 2;
                  int y = (source.getHeight() - size) / 2;
                  Bitmap squaredBitmap = Bitmap.createBitmap(source, x, y, size, size);
                  if (squaredBitmap != source) {
                      source.recycle();
                  }
                  Bitmap bitmap = Bitmap.createBitmap(size, size, source.getConfig());
                  Canvas canvas = new Canvas(bitmap);
                  Paint paint = new Paint();
                  BitmapShader shader = new BitmapShader(squaredBitmap,
                          BitmapShader.TileMode.CLAMP, BitmapShader.TileMode.CLAMP);
                  paint.setShader(shader);
                  paint.setAntiAlias(true);
                  float r = size / 2f;
                  canvas.drawCircle(r, r, r, paint);
                  squaredBitmap.recycle();
                  return bitmap;
              }
      
              @Override
              public String key() {
                  return "circle";
              }
          };
          Picasso
                  .with(this)// 指定Context
                  .load(URL_IMG2) //指定图片URL
                  .transform(transform) // 指定图片转换器
                  .into(imageView); // 指定显示图片的ImageView
      
    5. 显示圆角图片

      class RoundedTransformation implements com.squareup.picasso.Transformation {
          private final int radius;
          private final int margin;  // dp
      
          // radius is corner radii in dp
          // margin is the board in dp
          public RoundedTransformation(final int radius, final int margin) {
              this.radius = radius;
              this.margin = margin;
          }
      
          @Override
          public Bitmap transform(final Bitmap source) {
              final Paint paint = new Paint();
              paint.setAntiAlias(true);
              paint.setShader(new BitmapShader(source, Shader.TileMode.CLAMP, Shader.TileMode.CLAMP));
      
              Bitmap output = Bitmap.createBitmap(source.getWidth(), source.getHeight(), Bitmap.Config.ARGB_8888);
              Canvas canvas = new Canvas(output);
              canvas.drawRoundRect(new RectF(margin, margin, source.getWidth() - margin, source.getHeight() - margin), radius, radius, paint);
      
              if (source != output) {
                  source.recycle();
              }
      
              return output;
          }
      
          @Override
          public String key() {
              return "rounded(radius=" + radius + ", margin=" + margin + ")";
          }
      }
      Picasso
              .with(this)// 指定Context
              .load(URL_IMG2) //指定图片URL
              .transform(new RoundedTransformation(360,0)) // 指定图片转换器
              .into(imageView); // 指定显示图片的ImageView
      

3.4图像_Glide

  • 主页: https://github.com/bumptech/glide
  • 中文文档: http://mrfu.me/2016/02/27/Glide_Getting_Started/
  • 使用步骤

    1. 添加依赖 compile ‘com.github.bumptech.glide:glide:3.7.0’ , 同时还依赖于supportV4.如果没有请自行添加
    2. 添加权限:

      
      
    3. 加载图片.示例代码:

      Glide
              .with(this) // 指定Context
              .load(URL_GIF)// 指定图片的URL
              .placeholder(R.mipmap.ic_launcher)// 指定图片未成功加载前显示的图片
              .error(R.mipmap.ic_launcher)// 指定图片加载失败显示的图片
              .override(300, 300)//指定图片的尺寸
              .fitCenter()//指定图片缩放类型为fitCenter
              .centerCrop()// 指定图片缩放类型为centerCrop
              .skipMemoryCache(true)// 跳过内存缓存
              .diskCacheStrategy(DiskCacheStrategy.NONE)//跳过磁盘缓存
              .diskCacheStrategy(DiskCacheStrategy.SOURCE)//仅仅只缓存原来的全分辨率的图像
              .diskCacheStrategy(DiskCacheStrategy.RESULT)//仅仅缓存最终的图像
              .diskCacheStrategy(DiskCacheStrategy.ALL)//缓存所有版本的图像
              .priority(Priority.HIGH)//指定优先级.Glide 将会用他们作为一个准则,并尽可能的处理这些请求,但是它不能保证所有的图片都会按照所要求的顺序加载。优先级排序:IMMEDIATE > HIGH > NORMAL > LOW
              .into(imageView);//指定显示图片的ImageView
      
    4. 显示圆形图片

      class GlideCircleTransform extends BitmapTransformation {
          public GlideCircleTransform(Context context) {
              super(context);
          }
      
          @Override
          protected Bitmap transform(BitmapPool pool, Bitmap toTransform, int outWidth, int outHeight) {
              return circleCrop(pool, toTransform);
          }
      
          private static Bitmap circleCrop(BitmapPool pool, Bitmap source) {
              if (source == null) return null;
      
              int size = Math.min(source.getWidth(), source.getHeight());
              int x = (source.getWidth() - size) / 2;
              int y = (source.getHeight() - size) / 2;
      
              // TODO this could be acquired from the pool too
              Bitmap squared = Bitmap.createBitmap(source, x, y, size, size);
      
              Bitmap result = pool.get(size, size, Bitmap.Config.ARGB_8888);
              if (result == null) {
                  result = Bitmap.createBitmap(size, size, Bitmap.Config.ARGB_8888);
              }
      
              Canvas canvas = new Canvas(result);
              Paint paint = new Paint();
              paint.setShader(new BitmapShader(squared, BitmapShader.TileMode.CLAMP, BitmapShader.TileMode.CLAMP));
              paint.setAntiAlias(true);
              float r = size / 2f;
              canvas.drawCircle(r, r, r, paint);
              return result;
          }
      
          @Override
          public String getId() {
              return getClass().getName();
          }
      }
      
      Glide
              .with(this) // 指定Context
              .load(URL_GIF)// 指定图片的URL
              .transform(new GlideCircleTransform(this)) // 指定自定义BitmapTransformation
              .into(imageView);//指定显示图片的ImageView
      
    5. 显示圆角图片

      class GlideRoundTransform extends BitmapTransformation {
      
          private static float radius = 0f;
      
          public GlideRoundTransform(Context context) {
              this(context, 4);
          }
      
          public GlideRoundTransform(Context context, int dp) {
              super(context);
              this.radius = Resources.getSystem().getDisplayMetrics().density * dp;
          }
      
          @Override protected Bitmap transform(BitmapPool pool, Bitmap toTransform, int outWidth, int outHeight) {
              return roundCrop(pool, toTransform);
          }
      
          private static Bitmap roundCrop(BitmapPool pool, Bitmap source) {
              if (source == null) return null;
      
              Bitmap result = pool.get(source.getWidth(), source.getHeight(), Bitmap.Config.ARGB_8888);
              if (result == null) {
                  result = Bitmap.createBitmap(source.getWidth(), source.getHeight(), Bitmap.Config.ARGB_8888);
              }
      
              Canvas canvas = new Canvas(result);
              Paint paint = new Paint();
              paint.setShader(new BitmapShader(source, BitmapShader.TileMode.CLAMP, BitmapShader.TileMode.CLAMP));
              paint.setAntiAlias(true);
              RectF rectF = new RectF(0f, 0f, source.getWidth(), source.getHeight());
              canvas.drawRoundRect(rectF, radius, radius, paint);
              return result;
          }
      
          @Override public String getId() {
              return getClass().getName() + Math.round(radius);
          }
      }
      
      Glide
              .with(this) // 指定Context
              .load(URL_GIF)// 指定图片的URL
              .transform(new GlideRoundTransform(this,30)) // 指定自定义BitmapTransformation
              .into(imageView);//指定显示图片的ImageView
      

图像库对比

  • 快速加载图片推荐Glide
  • 对图片质量要求较高推荐Picasso
  • 如果应用加载的图片很多,推荐Fresco > Glide > Picasso

数据库

4.1数据库_ormlite (Object Relationship match对象关系映射)

  • 主页: http://ormlite.com/
  • 配置: 添加以下依赖
    • compile ‘com.j256.ormlite:ormlite-android:4.48’
    • compile ‘com.j256.ormlite:ormlite-core:4.48’
  • 用途: 操作数据库
  • 使用步骤

    1. 创建数据库表结构的实体类.示例代码:

      @DatabaseTable(tableName = "user")
      public class User {
          @DatabaseField(generatedId = true)
          private int id;
          @DatabaseField(columnName = "name")
          private String name;
          @DatabaseField(columnName = "age")
          private int age;
          @DatabaseField(columnName = "tel")
          private String tel;
          public User() {
          }
          public User(String name, int age, String tel) {
              this.name = name;
              this.age = age;
              this.tel = tel;
          }
      }
      
    2. 创建OrmLiteSqliteOpenHelper的实现类.示例代码:

      public class UserDBOpenHelper extends OrmLiteSqliteOpenHelper {
          public UserDBOpenHelper(Context context) {
              super(context, "user.db", null, 1);
          }
          @Override
          public void onCreate(SQLiteDatabase database, ConnectionSource connectionSource) {
              try {
                  // 创建表
                  TableUtils.createTable(connectionSource, User.class);
              } catch (SQLException e) {
                  e.printStackTrace();
              }
          }
          @Override
          public void onUpgrade(SQLiteDatabase database, ConnectionSource connectionSource, int oldVersion, int newVersion) {
              try {
                  // 更新表
                  TableUtils.dropTable(connectionSource, User.class, true);
                  onCreate(database, connectionSource);
              } catch (SQLException e) {
                  e.printStackTrace();
              }
          }
          private static UserDBOpenHelper instance;
      
          public static synchronized UserDBOpenHelper getInstance(Context context) {
              if (instance == null) {
                  synchronized (UserDBOpenHelper.class) {
                      if (instance == null) {
                          instance = new UserDBOpenHelper(context);
                      }
                  }
              }
              return instance;
          }
      
          private Dao dao;
          // 获取操作数据库的DAO
          public Dao getUserDao() throws SQLException {
              if (dao == null) {
                  dao = getDao(User.class);
              }
              return dao;
          }
      
          @Override
          public void close() {
              super.close();
              dao = null;
          }
      }
      
    3. 获取数据库的DAO对象, 即可进行增删改查的操作.示例代码:

      UserDBOpenHelper helper = new UserDBOpenHelper(this);
      Dao dao =  helper.getUserDao();
      User user = new User("zhangsan", 12, "13212345678");
      // 增
      dao.create(user);
      // 改
      dao.updateRaw("update user set tel = '18882348888' where name = ?", new String[]{"王武"});
      // 查
      List query = dao.queryForEq("name", "王武");
      // 删
      dao.deleteById(2);
      

4.2数据库_greenDAO

  • 主页: https://github.com/greenrobot/greenDAO
  • 配置: 添加以下依赖
    • compile ‘de.greenrobot:greendao:2.1.0’
    • compile ‘de.greenrobot:greendao-generator:2.1.0’
  • 用途: 操作数据库
  • 优点:
    • 性能最大化,内存开销最小化
    • 易于使用的API
    • 为Android进行高度优化
  • 使用步骤

    1. 创建自定义的DAOGenerater,指定数据库相关配置并生成相关类

      public class CustomDAOGenerater {
          public static void main(String[] args) throws Exception {
              // 第一个参数为数据库版本
              //第二个参数为数据库的包名
              Schema schema = new Schema(1, "com.alpha.db");
              // 创建表,参数为表名
              Entity entity = schema.addEntity("Info");
              // 为表添加字段
              entity.addIdProperty();// 该字段为id
              entity.addStringProperty("name");// String类型字段
              entity.addIntProperty("age");//Int类型字段
              entity.addStringProperty("tel");// String类型字段
      
              // 生成数据库相关类
              //第二个参数指定生成文件的本次存储路径,AndroidStudio工程指定到当前工程的java路径
              new DaoGenerator().generateAll(schema, "C:\\Users\\Alpha\\AndroidStudioProjects\\GreenDaoDemo\\app\\src\\main\\java");
          }
      }
      
    2. 通过DaoMaster.DevOpenHelper初始化数据库

      // 使用单例,避免创建多个Session
      public class DBUtil {
      
          private static DBUtil instance;
          private static Context context;
      
          private static UserDao userDao;
          private static DepartmentDao departmentDao;
      
          private DBUtil(){
          }
      
          public synchronized static DBUtil getInstance(Context context) {
              DBUtil.context = context;
              if (instance == null) {
                  instance = new DBUtil();
      
                  DaoMaster.DevOpenHelper openHelper = new DaoMaster.DevOpenHelper(
                          context, "company.db", null);
                  SQLiteDatabase db = openHelper.getWritableDatabase();
                  DaoMaster master = new DaoMaster(db);
                  DaoSession session = master.newSession();
      
                  // 获取数据操作的dao对象
                  userDao = session.getUserDao();
                  departmentDao = session.getDepartmentDao();
              }
              return instance;
          }
      
          public UserDao getUserDao() {
              return userDao;
          }
      }
      
    3. 获取数据库的DAO对象,即可进行增删改查的操作

      // 增
      dao.insert(new Info(null, "zhangsan", 12, "13112345678"));
      // 删
      dao.deleteByKey(1L);
      // 改
      Info info = new Info(3L, "赵琦", 78, "18812348888");
      dao.update(info);
      // 查
      QueryBuilder builder = dao.queryBuilder();
      builder.where(InfoDao.Properties.Name.eq("lisi"));
      Query build = builder.build();
      List list = build.list();
      

4.3数据库_Litepal

  • 主页: https://github.com/LitePalFramework/LitePal
  • 中文文档地址: http://blog.csdn.net/sinyu890807/article/category/2522725

响应式函数编程Rx(Reactive Extensions)

5.1 响应式函数编程_RxJava & RxAndroid

  • 主页: https://github.com/ReactiveX/RxJava
  • 中文资料:
    • https://github.com/lzyzsd/Awesome-RxJava
    • https://www.zhihu.com/question/35511144
  • 用途:
    • 异步操作
    • 在程序逻辑异常复杂的情况下,仍然可以让代码的逻辑保持简洁
  • 配置: 添加依赖:

    • compile ‘io.reactivex:rxjava:1.1.3’
    • compile ‘io.reactivex:rxandroid:1.1.0’
    • 如果结合Retrofit使用,需要添加以下依赖
    • compile ‘com.squareup.retrofit2:retrofit:2.0.1’
    • compile ‘com.squareup.retrofit2:converter-gson:2.0.1’
    • compile ‘com.squareup.retrofit2:adapter-rxjava:2.0.1’
  • 基本概念:

    1. 被观察者: Observable
      • 作用: 决定什么时候触发事件以及触发怎样的事件
      • 创建方法:
        • Observable.just(T…) 参数为单个的
        • Observable.from(T[]) / Observable.from(Iterable

第三方分享

6.1第三方分享_Mob

  • 主页: http://www.mob.com/
  • 用途:第三方分享
  • 使用步骤

    1. 访问http://dashboard.mob.com/#/share/index注册应用获取AppKey
    2. 访问http://www.mob.com/#/downloadDetail/ShareSDK/android下载SDK
    3. 解压下载回来的SDK,打开ShareSDK for Android中的QuickIntegrater.jar,填入应用的名称和包名,让工具生成相关的资源文件.并拷贝到工程当中
    4. 配置权限

      
      
      
      
      
      
      
      
      
      
      
      
      
    5. 添加Activity信息

      
      
           
              
               
               
               
               
           
      
          
          
              
              
          
      
      
    6. 如果您集成了微信,易信,新浪微博支付宝还需要添加下面回调的activity处理

          
            
      
          
           
      
           
          
      
    7. 更改assets/ShareSDK中的配置信息.根据自己的实际情况更改每一个平台的信息

    8. 分享.示例代码:

      private void showShare() {
       ShareSDK.initSDK(this);
       OnekeyShare oks = new OnekeyShare();
       //关闭sso授权
       oks.disableSSOWhenAuthorize(); 
      
      // 分享时Notification的图标和文字  2.5.9以后的版本不调用此方法
       //oks.setNotification(R.drawable.ic_launcher, getString(R.string.app_name));
       // title标题,印象笔记、邮箱、信息、微信、人人网和QQ空间使用
       oks.setTitle(getString(R.string.share));
       // titleUrl是标题的网络链接,仅在人人网和QQ空间使用
       oks.setTitleUrl("http://sharesdk.cn");
       // text是分享文本,所有平台都需要这个字段
       oks.setText("我是分享文本");
       // imagePath是图片的本地路径,Linked-In以外的平台都支持此参数
       //oks.setImagePath("/sdcard/test.jpg");//确保SDcard下面存在此张图片
       // url仅在微信(包括好友和朋友圈)中使用
       oks.setUrl("http://sharesdk.cn");
       // comment是我对这条分享的评论,仅在人人网和QQ空间使用
       oks.setComment("我是测试评论文本");
       // site是分享此内容的网站名称,仅在QQ空间使用
       oks.setSite(getString(R.string.app_name));
       // siteUrl是分享此内容的网站地址,仅在QQ空间使用
       oks.setSiteUrl("http://sharesdk.cn");
      
       // 启动分享GUI
       oks.show(this);
       }
      

6.2第三方分享_友盟

  • 主页: http://www.umeng.com/social

数据统计

7.1数据统计_百度统计

  • 主页: http://mtj.baidu.com/web/sdk/index
  • 开发文档: http://developer.baidu.com/wiki/index.php?title=%E5%B8%AE%E5%8A%A9%E6%96%87%E6%A1%A3%E9%A6%96%E9%A1%B5/%E7%99%BE%E5%BA%A6%E7%A7%BB%E5%8A%A8%E7%BB%9F%E8%AE%A1API/%E7%99%BE%E5%BA%A6%E7%A7%BB%E5%8A%A8%E7%BB%9F%E8%AE%A1_Android%E7%89%88SDK
  • 配置: 将下载回来的jar放在libs目录.并添加到依赖中
  • 用途:
    • 分析流量来源: 渠道流量对比、细分渠道分析,准确监控不同推广位数据,实时获知渠道贡献。
    • 分析用户:基于百度的海量数据积累,多维度分析并呈现用户画像信息。
    • 分析终端:设备分布一目了然(设备型号、品牌、操作系统、分辨率、联网方式、运营商等)。
  • 使用步骤

    1. 登录http://mtj.baidu.com/web/dashboard注册应用并获取appkey
    2. 在manifest文件中添加权限

      
      
      
      
      
      
      
      
      
      
      
      
      
      
       
      
    3. 在manifest文件的application节点添加相应的参数.根据实际业务需求选择

      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
      
    4. 在所有的Activity的onResume()和onPause()方法中调用StatService.onResume(Context  context) 和StatService.onPause  (Context  context)方法.所以最好创建一个BaseActiviy,并在其中实现这两个方法.出入的参数必须为this,不能是全局的Application Context.

    5. Fragment也是同理.在onResume()和onPause()方法中调用StatService.onResume(Context  context) 和StatService.onPause  (Context  context)方法

消息推送

8.1消息推送

  • 个推: http://www.getui.com/
  • 友盟: http://www.umeng.com/push
  • 百度云推送: http://push.baidu.com/fc
  • 极光推送: https://www.jiguang.cn/push

个推

  • 主页: http://www.getui.com/
  • 开发文档: http://docs.getui.com/pages/viewpage.action?pageId=589890
  • 使用步骤:

    1. 访问https://dev.getui.com/dos4.0/index.html#login注册应用
    2. 下载SDK并解压:http://docs.getui.com/mobile/android/overview/
    3. 将SDK解压后的资源文件中的GetuiSDK2.9.0.0.jar拷贝到项目中的libs,并添加到依赖

      • 因为Android Studio工程默认已经添加了supportV7的依赖,如果没有,请添加supportV4的依赖,否则会有异常
    4. 在\app\src\main目录中新建文件夹jniLibs(名字固定),然后把对应的so文件添加进去

    5. 将SDK解压后的资源文件中的layout文件拷贝到项目的layout文件夹

    6. 为了修改通知栏提示图标,请在res/drawable-hdpi/、res/drawable-mdpi/、res/drawable-ldpi/等各分辨率资源目录下,放置相应尺寸的push.png图片。可将SDK解压后的Demo工程中的push图片拷贝进来
    7. 添加权限. 注意替换包名

      
      
      
      
      
      
      
      
      
      
      
      
      
      
        
      
      
      
      
      
      
        
      
      
      
      
      
    8. 在manifest/Application节点添加以下信息.注意替换内容

      
          
          
          
          
          
          
          
          
              
                  
                  
                  
                  
                  
                  
                  
                  
              
          
      
          
              
                  
              
                       
      
      
      
    9. 在Application中初始化SDK

      PushManager.getInstance().initialize(this.getApplicationContext());
      
    10. 在手机或模拟器上运行您的工程,查看Android Monitor信息,如图所示。在搜索框中输入“clientid”可以看到“clientid is xxx”,则意味则初始化SDK成功,并获取到相应的cid信息,恭喜你:-D,可以开始进行推送测试了。如图所示:

    11. 接收透传消息

      
      
          android:name="com.getui.demo.PushDemoReceiver"
          android:exported="false">
          
          
          
      
      
      定义广播接收者:
      public class PushDemoReceiver extends BroadcastReceiver {
      
          @Override
          public void onReceive(Context context, Intent intent) {
              Bundle bundle = intent.getExtras();
      
              switch (bundle.getInt(PushConsts.CMD_ACTION)) {
                  case PushConsts.GET_MSG_DATA:
                      // 获取透传数据
                      byte[] payload = bundle.getByteArray("payload");
                      if (payload != null) {
                          String data = new String(payload);
                          Log.d("GetuiSdkDemo", "------------receiver payload : " + data);
                      }
                      break;
              }
          }
      }
      

友盟

  • 主页: http://www.umeng.com/push

百度云推送

  • 主页: http://push.baidu.com/fc

极光推送

  • 主页: https://www.jiguang.cn/push

Bug追踪

9.1Bug追踪_Bugly

  • 主页: http://bugly.qq.com/
  • 功能:
    • 及时掌握App崩溃信息
    • 支持Android NDK 开发C/C++类型的异常上报
  • 使用步骤

    1. 通过http://bugly.qq.com/apps注册应用
    2. 在module/build.gradle添加依赖

      android {
          defaultConfig {
              ndk {
                  // 设置支持的SO库架构
                  abiFilters 'armeabi' //, 'x86', 'armeabi-v7a', 'x86_64', 'arm64-v8a'
              }
          }
      }
      dependencies {
          compile 'com.tencent.bugly:crashreport:latest.release' 
      }
      
    3. 在gradle.properties文件中添加:

      android.useDeprecatedNdk=true
      
    4. 添加权限

      
      
      
      
      
      
    5. 在manifet文件的application节点配置相关参数

      
      
      
      
      
      
      
      
      
      
    6. 在Application中初始化Bugly

      CrashReport.initCrashReport(getApplicationContext());
      

BugTags

  • 主页: https://www.bugtags.com/

Testin

  • 主页: http://www.testin.cn/

开源项目收集站

  • https://github.com/Trinea/android-open-project
  • http://colobu.com/2014/08/15/android-components-collection/
  • http://android-arsenal.com/free
  • https://github.com/ColorfulCat/AndroidGuide

你可能感兴趣的:(开源框架,开源框架)