在jQuery中,没有额外封装正则的使用方法, 用原生js实现正则
正则表达式在js的两种写法:
var re=new RegExp(‘规则’, ‘可选参数’)
var re=/规则/参数
常用函数 test 用法:正则.test(字符串) 匹配成功,就返回真,否则就返回假
var sTr01 = '123456asdf'; var re01 = /\d+/; //匹配纯数字字符串 var re02 = /^\d+$/; alert(re01.test(sTr01)); //弹出true alert(re02.test(sTr01)); //弹出false合法: 返回true 不合法: 返回false
什么是事件冒泡 在一个对象上触发某类事件(比如单击onclick事件),如果此对象定义了此事件的处理程序,那么此事件就会调用这个处理程序,如果没有定义此事件处理程序或者事件返回true,那么这个事件会向这个对象的父级对象传播,从里到外,直至它被处理(父级对象所有同类事件都将被激活),或者它到达了对象层次的最顶层,即document对象(有些浏览器是window)。 阻止事件冒泡 方法 event.stopPropagation() 阻止默认行为 event.preventDefault(); 合并阻止操作 ,阻止冒泡和阻止默认行为合并起来写 return false
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <meta http-equiv="X-UA-Compatible" content="ie=edge"> <title>Document</title> //导入jquery函数库 <script src="./js/jquery-1.12.4.js"></script> <script> $(function(){ var $box1 = $('.father'); var $box2 = $('.son'); var $box3 = $('.grandson'); $box1.click(function() { alert('father'); }); $box2.click(function() { alert('son'); }); $box3.click(function(event) { alert('grandson'); //阻止事件冒泡 event.stopPropagation(); }); $(document).click(function(event) { alert('grandfather'); }); }) </script> <style> .father{ width: 400px; height: 400px; background: black; } .son{ width: 300px; height: 300px; background: red; } .grandson{ width: 200px; height: 200px; background: goldenrod; } </style> </head> <body> <div class="father"> <div class="son"> <div class="grandson"></div> </div> </div> </body> </html>``
的属性名称和字符串值需要用双引号引起来,用单引号或者不用引号会导致读取数据错误。
//创建javascript对象有两种方法, var person = new Object(); // 添加属性: person.name = 'tom'; person.age = '25'; // 添加方法: person.sayName = function(){ alert(this.name); } //方法二: var person2 = { name:'Rose', age: 18, sayName:function(){ alert('My name is' + this.name); } }类似于javascript对象的一种数据格式对象,与JavaScript对象写法不同的是,json对象的属性名称和字符串值需要用双引号引起来,用单引号或者不用引号会导致读取数据错误。
$.ajax使用方法 常用参数: 1、url 请求地址 2、type 请求方式,默认是’GET’,常用的还有’POST’ 3、dataType 设置返回的数据格式,常用的是’json’格式,也可以设置为’html’ 4、data 设置发送给服务器的数据 5、success 设置请求成功后的回调函数 6、error 设置请求失败后的回调函数 7、async 设置是否异步,默认值是’true’,表示异步
//以前的写法: $.ajax({ url: '/change_data', type: 'GET', dataType: 'json', data:{'code':300268} success:function(dat){ alert(dat.name); }, error:function(){ alert('服务器超时,请重试!'); } }); //新的写法(推荐): $.ajax({ url: '/change_data', type: 'GET', dataType: 'json', data:{'code':300268} }) .done(function(dat) { alert(dat.name); }) .fail(function() { alert('服务器超时,请重试!'); }); //$.ajax的简写方式 //$.ajax按照请求方式可以简写成$.get或者$.post方式 $.get("/change_data", {'code':300268}, function(dat){ alert(dat.name); }); $.post("/change_data", {'code':300268}, function(dat){ alert(dat.name); });