好吧,有一段时间我什至想知道在视图上放置 SVG 图像的类似问题。
这是一个在 Android 的 CustomView 中显示 SVG 图像的演示:
// MainActivity.java
package com.test.svg;
import android.app.Activity;
import android.os.Bundle;
import android.view.Window;
import android.view.WindowManager;
public class MainActivity extends Activity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
requestWindowFeature(Window.FEATURE_NO_TITLE);
getWindow().setFlags(WindowManager.LayoutParams.FLAG_FULLSCREEN,
WindowManager.LayoutParams.FLAG_FULLSCREEN);
CustomView view = new CustomView(this);
view.setBackgroundResource(android.R.color.holo_green_dark);
setContentView(view);
}
}
这是CustomView
课程:
// CustomView.java
package com.test.svg;
import java.io.IOException;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Picture;
import android.util.AttributeSet;
import android.view.View;
import com.larvalabs.svgandroid.SVG;
import com.larvalabs.svgandroid.SVGParseException;
import com.larvalabs.svgandroid.SVGParser;
public class CustomView extends View {
private Picture picture;
private int scaleFactor;
public CustomView(Context context) {
super(context);
initialize();
}
public CustomView(Context context, AttributeSet attrs) {
super(context, attrs);
initialize();
}
private void initialize() {
scaleFactor = 1;
try {
setLayerType(View.LAYER_TYPE_SOFTWARE, null); // This is important!!!
SVG svg = SVGParser.getSVGFromAsset(getContext().getAssets(),
"Character.svg");
picture = svg.getPicture();
} catch (SVGParseException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
}
public void onDraw(Canvas canvas) {
super.onDraw(canvas);
canvas.save();
// Code for centering the SVG.
canvas.translate((getWidth() - scaleFactor * picture.getWidth()) >> 1,
(getHeight() - scaleFactor * picture.getHeight()) >> 1);
canvas.scale(scaleFactor, scaleFactor);
canvas.drawPicture(picture);
canvas.restore();
}
}
上述代码段中重要的是以下行:
setLayerType(View.LAYER_TYPE_SOFTWARE, null);
同时下载并使用SVG-Android-2而不是使用它的第一个版本。
除此之外,您还可以调整此代码以将 SVG 也显示为背景图像。您只需要使用某个因子缩放 SVG,然后让该onDraw()
方法完成它的工作。
另请注意,我的 SVG 图像保存在assets
文件夹中,因此我已使用AssetManager
SVG 加载,如上面的代码所示。