phonegap 2.9 webview iframe designMode 无法删除图片&键盘event 捕获异常

注:发现影响到键盘的使用,不想误导人,所以这个处理保留,后面想到解决方式再记录到这里。

不要吐槽我为什么还用2.9,一个一两天搞定的小工具,去更新后不知道要花多少时间,现有的东西会出什么问题….修复小问题,比折腾新版本妥当点。尝试过找相对近的版本3.x发现都一样。就自己查了下原因解决

这些版本有个问题,虚拟键盘捕获的keycode都为0,而且还出现一些比较奇葩的问题,简单的富文本编辑器里的图片无法删除。

补充个原来先简单应付的删除处理,加了一个按钮,根据获取的光标索引删除内容,现在这个是phonegap里的,其它地方出现的时候,实在不行还是得上。。

					$('#edit_note_btn_delete_img')
							.click(
									function() {
										if (window.edit_note_content.window.document
												.getSelection().focusNode
												.toString() == '[object HTMLBodyElement]') {
											var focusOffset = window.edit_note_content.window.document
													.getSelection().focusOffset;
											$(
													window.edit_note_content.window.document.body.childNodes)
													.eq(focusOffset - 1)
													.remove()
										} else {
											$('body', $edit_note_d).html()
										}
									});

 

http://stackoverflow.com/questions/18093067/cant-delete-image-in-contenteditable-div-on-android/24591285#answer-24591285

解决的代码,参考回答
http://stackoverflow.com/questions/14560344/android-backspace-in-webview-baseinputconnection

org.apache.cordova.CordovaWebView

@Override
public boolean deleteSurroundingText(int beforeLength, int afterLength) {       
    // magic: in latest Android, deleteSurroundingText(1, 0) will be called for backspace
    if (beforeLength == 1 && afterLength == 0) {
        // backspace
        return super.sendKeyEvent(new KeyEvent(KeyEvent.ACTION_DOWN, KeyEvent.KEYCODE_DEL))
            && super.sendKeyEvent(new KeyEvent(KeyEvent.ACTION_UP, KeyEvent.KEYCODE_DEL));
    }

    return super.deleteSurroundingText(beforeLength, afterLength);
}

 

phonegap 一个简单的离线存储小记事本

phonegap 官方的存储文档说明

http://docs.phonegap.com/en/2.9.0/cordova_storage_storage.md.html#Storage

这几天(注意发布时间),公司需要简单写个记事本工具,支持文本和图片(将图片以base64形式插入到可编辑的iframe页面中),需要支持离线,即用户可以将数据保存到本地,有登录的情况下,点同步可以将数据同步到服务器,同时将服务端的数据更新到下面。

考虑了几个数据存储的方式。

1.cookie 咔嚓不适合

2.locationStorage 支持的数据不大,约5m~15M左右,因为图片数据的关系,所以不够。当然,原来居然考虑过,保存文件路径,再单独写个函数将图片放到系统里,后面想想太麻烦了。。。哈哈。。。.但是只能当成一个比较大的数组来使用,查询检索相关不方便,排序什么的就还是按照原来数据的操作方式,节点数和容量都有相当限制,而且需要注意安全。不小心清除了就扑街了。

2.1 一个在线识别浏览器locationStorage容量脚本

https://arty.name/localstorage.html

3.webSql 适合本地使用,虽然这个东西的情况有点尴尬,一个是,基本上主流的新的浏览器都支持了它,问题是这个标准现在又是放弃的阶段。。哈哈。。不过已经有了,就拿来先用,同时支持模糊搜索,增删改查,所以也方便了很多。主要一个优势是,用这种方式开发,完全可以在浏览器端开发完,最后再直接复制到phonegap里进行打包。所以开发上相对来说方便很多。不过大文件的情况下,还是需要考虑和服务器端一样,文件放本地,然后只保存文件路径到数据里。

(附带一个封装好的sqlite.js,在文章底部)

 

Sqlite.js来源

http://www.oschina.net/code/snippet_202842_10588

//copyright by lanxyou  lanxyou[at]gmail.com
var lanxDB=function(dbname){
    var db=openDatabase(dbname,'1.0.0','',65536);
    return{
        //返回数据库名
        getDBName:function(){
            return dbname;
        },
        //初始化数据库,如果需要则创建表
        init:function(tableName,colums){
            this.switchTable(tableName);
            colums.length>0?this.createTable(colums):'';
            return this;
        },
        //创建表,colums:[name:字段名,type:字段类型]
        createTable:function(colums){
            var sql="CREATE TABLE IF NOT EXISTS " + this._table ;
            var t;
            if (colums instanceof Array && colums.length>0){
                t=[];
                for (var i in colums){
                    t.push(colums[i].name+' '+colums[i].type);
                }
                t=t.join(', ');
            }else if(typeof colums=="object"){
                t+=colums.name+' '+colums.type;
            }
            sql=sql+" ("+t+")";
            var that=this;
            db.transaction(function (t) { 
                t.executeSql(sql) ;
            })
        },
        //切换表
        switchTable:function(tableName){
            this._table=tableName;
            return this;
        },
        //插入数据并执行回调函数,支持批量插入
        //data为Array类型,每一组值均为Object类型,每一个Obejct的属性应为表的字段名,对应要保存的值
        insertData:function(data,callback){
            var that=this;
            var sql="INSERT INTO "+this._table;
            if (data instanceof Array && data.length>0){
                var cols=[],qs=[];
                for (var i in data[0]){
                    cols.push(i);
                    qs.push('?');
                }
                sql+=" ("+cols.join(',')+") Values ("+qs.join(',')+")";
            }else{
                return false;
            }
            var p=[],
                d=data,
                pLenth=0,
                r=[];
            for (var i=0,dLength=d.length;i<dLength;i++){
                var k=[];
                for (var j in d[i]){
                    k.push(d[i][j]);
                }
                p.push(k);
            }
            var queue=function(b,result){
                if (result){
                    r.push(result.insertId ||result.rowsAffected);
                }
                if (p.length>0){
                    db.transaction(function (t) { 
                        t.executeSql(sql,p.shift(),queue,that.onfail);
                    })
                }else{
                    if (callback){
                        callback.call(this,r);
                    }
                }
            }
            queue();
        },
        _where:'',
        //where语句,支持自写和以对象属性值对的形式
        where:function(where){
            if (typeof where==='object'){
                var j=this.toArray(where);
                this._where=j.join(' and ');
            }else if (typeof where==='string'){
                this._where=where;
            }
            return this;
        },
        //更新数据,data为属性值对形式
        updateData:function(data,callback){
            var that=this;
            var sql="Update "+this._table;
            data=this.toArray(data).join(',');
            sql+=" Set "+data+" where "+this._where;
            this.doQuery(sql,callback);
        },
        //根据条件保存数据,如果存在则更新,不存在则插入数据
        saveData:function(data,callback){
            var sql="Select * from "+this._table+" where "+this._where;
            var that=this;
            this.doQuery(sql,function(r){
                if (r.length>0){
                    that.updateData(data,callback);
                }else{
                    that.insertData([data],callback);
                }
            });
        },
        //获取数据
        getData:function(callback){
            var that=this;
            var sql="Select * from "+that._table;
            that._where.length>0?sql+=" where "+that._where:"";
            that.doQuery(sql,callback);
        },
        //查询,内部方法
        doQuery:function(sql,callback){
            var that=this;
            var a=[];
            var bb=function(b,result){
                if (result.rows.length){
                    for (var i=0;i<result.rows.length;i++){
                        a.push(result.rows.item(i));
                    }
                }else{
                    a.push(result.rowsAffected);
                }
                if (callback){
                    callback.call(that,a);
                }
            }
            db.transaction(function (t) { 
                t.executeSql(sql,[],bb,that.onfail) ;
            })
        },
        //根据条件删除数据
        deleteData:function(callback){
            var that=this;
            var sql="delete from "+that._table;
            that._where.length>0?sql+=" where "+that._where:'';
            that.doQuery(sql,callback);
        },
        //删除表
        dropTable:function(){
            var sql="DROP TABLE IF EXISTS "+this._table;
            this.doQuery(sql);
        },
        _error:'',
        onfail:function(t,e){
            this._error=e.message;
            console.log('----sqlite:'+e.message);
        },
        toArray:function(obj){
            var t=[];
            obj=obj || {};
            if (obj){
                for (var i in obj){
                    t.push(i+"='"+obj[i]+"'");
                }
            }
            return t;
        }
    }
}
 
/*
examples:
var db=new lanxDB('testDB');
db.init('channel_list',[{name:'id',type:'integer primary key autoincrement'},{name:'name',type:'text'},{name:'link',type:'text'},{name:'cover',type:'text'},{name:'updatetime',type:'integer'},{name:'orders',type:'integer'}]);
db.init('feed_list',[{name:'parentid',type:'integer'},{name:'feed',type:'text'}]);
db.switchTable('channel_list').insertData([{name:'aa',link:'ss',updatetime:new Date().getTime()},{name:'bb',link:'kk',updatetime:new Date().getTime()}]);
db.where({name:'aa'}).getData(function(result){
    console.log(result);//result为Array
});
db.where({name:'aa'}).deleteData(function(result){
    console.log(result[0]);//删除条数
});
db.where({name:'bb'}).saveData({link:'jj'},function(result){
    console.log(result);//影响条数
})
})
*/

注意函数里

 if (callback){
                    callback.call(that,a);
                }

这个地方有些问题,我是处理成

 if (callback){
                    callback(that,a);
                }

前端图片压缩,兼容体积.

https://github.com/think2011/LocalResizeIMG

一个bug,webview无法删除里面插入的图片。比较奇葩,而且delete也无法监听,所以需要从程序上内部进行处理,监听键盘,然后进行实时判断。这边简单搞,加了个删除图片的按钮,点击进行删除。后面有时间琢磨看看。

					$('#edit_note_btn_delete_img')
							.click(
									function() {
										if (window.edit_note_content.window.document
												.getSelection().focusNode
												.toString() == '[object HTMLBodyElement]') {
											var focusOffset = window.edit_note_content.window.document
													.getSelection().focusOffset;
											$(
													window.edit_note_content.window.document.body.childNodes)
													.eq(focusOffset - 1)
													.remove()
										} else {
											$('body', $edit_note_d).html()
										}
									});

 

PhoneGap 手机百度地图定位插件

虽然不难。。能简单搞定的就简单搞。。能复制就复制。

插件地址:https://github.com/DoubleSpout/phonegap_baidu_sdk_location

原文博客:http://snoopyxdy.blog.163.com/blog/static/601174402014420872345/

<?xml version="1.0" encoding="UTF-8"?>

<plugin xmlns="http://www.phonegap.com/ns/plugins/1.0" id="com.spout.phonegap.plugins.baidulocation" version="0.1.0">
    <name>BaiduLocation</name>
    <description>Baidu Location Plugin for Phonegap</description>
    <license>MIT</license>
    <keywords>baidu, location, phonegap</keywords>

    <!-- android -->
    <platform name="android">
        <js-module src="www/baidulocation.js" name="BiaduLocation">
            <clobbers target="window.baiduLocation" />
        </js-module>

        <config-file target="res/xml/config.xml" parent="/*">
            <feature name="BaiduLocation">
                <param name="android-package" value="com.spout.phonegap.plugins.baidulocation.BaiduLocation"/>
            </feature>
        </config-file> 

        <config-file target="AndroidManifest.xml" parent="/*">
            <uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION"></uses-permission>
            <uses-permission android:name="android.permission.ACCESS_FINE_LOCATION"></uses-permission>
            <uses-permission android:name="android.permission.ACCESS_WIFI_STATE"></uses-permission>
            <uses-permission android:name="android.permission.ACCESS_NETWORK_STATE"></uses-permission>
            <uses-permission android:name="android.permission.CHANGE_WIFI_STATE"></uses-permission>
            <uses-permission android:name="android.permission.READ_PHONE_STATE"></uses-permission>
            <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"></uses-permission>
            <uses-permission android:name="android.permission.INTERNET" />
            <uses-permission android:name="android.permission.MOUNT_UNMOUNT_FILESYSTEMS"></uses-permission>
            <uses-permission android:name="android.permission.READ_LOGS"></uses-permission>
        </config-file>

        <config-file target="AndroidManifest.xml" parent="/manifest/application">
            <service android:name="com.baidu.location.f" android:enabled="true" android:process=":remote"></service>
        </config-file>

        <source-file src="src/android/BaiduLocation.java" target-dir="src/com/spout/phonegap/plugins/baidulocation" />   
        <source-file src="src/android/locSDK_4.0.jar" target-dir="libs" framework="true"/>      
        <source-file src="src/android/liblocSDK4.so" target-dir="libs/armeabi" framework="true"/>   
    </platform>         
</plugin>

将上述地址配置到指定文件即可.

需要留意版本,本人就还是在用android 4.1 cordova 用的是2.8版本,所以稍微麻烦了点

莫鄙视…

补充一个2.8版本的百度地图定位

package com.spout.phonegap.plugins.baidulocation;

import java.util.HashMap;
import java.util.Map;

import org.apache.cordova.api.CallbackContext;
import org.apache.cordova.api.Plugin;
import org.apache.cordova.api.PluginResult;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;

import com.baidu.location.BDLocation;
import com.baidu.location.BDLocationListener;
import com.baidu.location.LocationClient;
import com.baidu.location.LocationClientOption;
import android.app.Notification;
import android.app.NotificationManager;
import android.app.PendingIntent;
import android.content.SharedPreferences;
import android.preference.PreferenceManager;
import android.util.Log;

public class BaiduLocation extends Plugin {

	public static final String PLUGIN_NAME = "BaiduLocation";
	NotificationManager notificationManager;
	Notification note;
	PendingIntent contentIntent;

	public CallbackContext callbackContext;
	private static final String STOP_ACTION = "stop";
	private static final String GET_ACTION = "getCurrentPosition";
	public LocationClient locationClient = null;
	public JSONObject jsonObj = new JSONObject();
	public boolean result = false;

	public BDLocationListener myListener;

	private static final Map<Integer, String> ERROR_MESSAGE_MAP = new HashMap<Integer, String>();

	private static final String DEFAULT_ERROR_MESSAGE = "服务端定位失败";

	static {
		ERROR_MESSAGE_MAP.put(61, "GPS定位结果");
		ERROR_MESSAGE_MAP.put(62, "扫描整合定位依据失败。此时定位结果无效");
		ERROR_MESSAGE_MAP.put(63, "网络异常,没有成功向服务器发起请求。此时定位结果无效");
		ERROR_MESSAGE_MAP.put(65, "定位缓存的结果");
		ERROR_MESSAGE_MAP.put(66, "离线定位结果。通过requestOfflineLocaiton调用时对应的返回结果");
		ERROR_MESSAGE_MAP.put(67, "离线定位失败。通过requestOfflineLocaiton调用时对应的返回结果");
		ERROR_MESSAGE_MAP.put(68, "网络连接失败时,查找本地离线定位时对应的返回结果。");
		ERROR_MESSAGE_MAP.put(161, "表示网络定位结果");
	};

	public String getErrorMessage(int locationType) {
		String result = ERROR_MESSAGE_MAP.get(locationType);
		if (result == null) {
			result = DEFAULT_ERROR_MESSAGE;
		}
		return result;
	}
	private void logMsg(String s) {
		System.out.println(s);
	}

	public CallbackContext getCallbackContext() {
		return callbackContext;
	}

	public void setCallbackContext(CallbackContext callbackContext) {
		this.callbackContext = callbackContext;
	}
	@Override
	public boolean execute(String action, JSONArray args,
			final CallbackContext callbackContext) throws JSONException {
		Log.d(PLUGIN_NAME, "Plugin execute called with action: " + action);

		setCallbackContext(callbackContext);
		if (GET_ACTION.equals(action)) {
			cordova.getActivity().runOnUiThread(new Runnable() {
				@Override
				public void run() {

					Log.d(PLUGIN_NAME, "run: ");
					locationClient = new LocationClient(cordova.getActivity());
					locationClient.setAK("BfkPvjDGHC0ATZhIr6wxnHh9");// 设置百度的ak
					myListener = new MyLocationListener();
					locationClient.registerLocationListener(myListener);
					LocationClientOption option = new LocationClientOption();
					option.setOpenGps(true);
					option.setCoorType("bd09ll");// 返回的定位结果是百度经纬度,默认值gcj02
					option.setProdName("BaiduLoc");
					option.disableCache(true);// 禁止启用缓存定位
					locationClient.setLocOption(option);

					locationClient.start();
					locationClient.requestLocation();

				}

			});
		} else if (STOP_ACTION.equals(action)) {
			locationClient.stop();
		}

		while (result == false) {
			try {
				Thread.sleep(100);
			} catch (InterruptedException e) {
				e.printStackTrace();
			}
		}
		return true;
	}
	@Override
	public void onDestroy() {
		if (locationClient != null && locationClient.isStarted()) {
			locationClient.stop();
			locationClient = null;
		}
		super.onDestroy();
	}

	public class MyLocationListener implements BDLocationListener {
		@Override
		public void onReceiveLocation(BDLocation location) {
			if (location == null)
				return;
			try {

				Log.d(PLUGIN_NAME, "MyLocationListener");
				JSONObject coords = new JSONObject();
				coords.put("latitude", location.getLatitude());
				coords.put("longitude", location.getLongitude());
				coords.put("radius", location.getRadius());

				jsonObj.put("coords", coords);

				int locationType = location.getLocType();

				jsonObj.put("locationType", locationType);
				jsonObj.put("code", locationType);
				jsonObj.put("message", getErrorMessage(locationType));

				switch (location.getLocType()) {

				case BDLocation.TypeGpsLocation:
					coords.put("speed", location.getSpeed());
					coords.put("altitude", location.getAltitude());
					jsonObj.put("SatelliteNumber",
							location.getSatelliteNumber());
					break;

				case BDLocation.TypeNetWorkLocation:
					jsonObj.put("addr", location.getAddrStr());
					break;
				}

				Log.d("BaiduLocationPlugin", "run: " + jsonObj.toString());
				callbackContext.success(jsonObj);
				result = true;
			} catch (JSONException e) {
				callbackContext.error(e.getMessage());
				result = true;
			}

		}

		@Override
		public void onReceivePoi(BDLocation arg0) {
			// TODO Auto-generated method stub

		}
	}

	@SuppressWarnings("unused")
	@Override
	public PluginResult execute(String arg0, JSONArray arg1, String arg2) {

		Log.d("BaiduLocationPlugin", "run: xxxx" );
		return new PluginResult(true ? PluginResult.Status.OK
				: PluginResult.Status.ERROR);
		// TODO Auto-generated method stub
	}

}

 

 

 

修复:phonegap + jquery mobile 1.3.1 ajax local page error

最近优化了下加载,发现在本上测试正常。但是放到手机里面就挂了。

同样是ajax请求本地.

pc正常,mobile端请求不成功

出现如下链接:

file:///android_asset/www/login.html#list.html

一开始以为是链接识别有问题.

因为 pc为file:///c:/这类开头。

替换jquery mobile  1.4.3 正常。但是样式文件全挂。

定位错了问题,以为识别路径有问题

后调整问题方向,为 jquery ajax get local 文件不ok .

查资料,页面加上如下标志

<access origin="*"/>

歪打正着,但是现在紧先上。。下星期切换到新版本jquery mobile

补充页面元素相同里数据处理

if ($('body>div[data-role=page]').length > 1)
									$('body>div[data-role=page][data-external-page!=true]').remove();
								if ($('body>access>div[data-role=page]').length > 1)
								    $('body>access>div[data-role=page][data-external-page!=true]').remove();

 

Phonegap 扩展插件

看这个,最起码需要熟悉eclipse的操作。phonegap初级开发经验。

开发语言需要java,js,xml

http://docs.phonegap.com/en/3.0.0/guide_hybrid_plugins_index.md.html#Plugin%20Development%20Guide
特别注意:当前版本中的 cordova3.0里的文件打包不完整,有缺失,难怪phonegap里没用上,不过给发布到apache去了,贱人。。

可以去:http://archive.apache.org/dist/cordova/ 下载2.9的稳定版本

在sdk目录里samples获取相关的功能实现的代码。

结合的过程中。

需要特殊注意的。

1.this.cordova.getActivity()==andriodapp 当前的activity
2.R 是通过配置 res目录里的相关文件出来的。

3.不断琢磨,折腾了两天。终于实现自己要的东西了。哈~

转发请注明出处http://blog.martoo.cn
如有漏缺,请联系我 QQ 243008827

解决phonegap内置浏览器 FileReader 预览图不可看问题

phonegap的内置浏览器在使用,不知道是否出于安全原因还是版本的问题。

在file操作时,获取的文件是无法查看到MIME类型(即是type属性)值对应的获取的base64encode数据在data:后也是没有对应的类型的。

reader.onload = function(event) {  
       event.target.result;//base64后的数据
};

导致预览时无法进行查看。

解决方式:

因为type和相关的类型都无法进行查看。可通过name进行类型的识别,再通过对应的mime列表进行匹配拼接,可实现预览图的显示。

注:在尝试的过程中,部分浏览器发现在data:后加个”;”也能实现预览。

转发请注明出处http://blog.martoo.cn
如有漏缺,请联系我 QQ 243008827