user_model.php
class User_model extends CI_Model{
function get_fullname_by_username($username){
$query=$this->db->select('user_first_name,user_last_name')->where('user_name',$username)->get('user');
if($query->num_rows()==0){
return FALSE;
} else {
return $query->row();
}
}
}
post_model.php
class Post_model extends CI_Model{
function input_post($content,$privacy==FALSE){
$this->load->library('privacy');
$this->load->helper('post');
$uid=uid();//user id based on sessions
if($privacy==FALSE){
$privacy=$this->privacy->post_privacy($uid);
} else {
$privacy=$privacy;
}
$content=mention($content);
$input=array('post_uid'=>$uid,'post_content'=>$content,'post_privacy'=>$privacy);
if($this->db->insert('posts',$input)){
return $this->fetch_single_post_data($this->db->insert_id());
} else {
return FALSE;
}
}
function fetch_single_post_data($post_id){
$query=$this->db->select('id,post_uid,post_content,post_privacy,post_created')->where('id',$post_id)->get('posts');
if($query->num_rows()==0){
return FALSE;
} else {
return $query->row();
}
}
}
post_helper.php
function get_mention_name($username){
$username=strtolower($username);
$CI=&get_instance();
$CI->load->model('user_model');
$name=$CI->user_model->get_fullname_by_username($username);
if($name==FALSE){
return "@".$username;
} else {
return "<a href=\"/profile/{$username}.html\">{$name->user_first_name} {$name->user_last_name}</a>";
}
}
function mention($post_content){
return preg_replace_callback("REGEX","get_mention_name",$post_content);
}
首先,英语不是我的母语。所以,如果我的语法不好,请原谅我。
对于我的学校最终项目,我只想创建像网站(社交网络)这样的Facebook。我的问题是,我想根据用户名(用户数据库)创建提及功能。如果在我键入 @ 符号后在Facebook上,Facebook系统开始查询最可能的朋友/页面,其中包含很酷的ajax列表显示。但我不想那样,在我的系统中没有ajax列表显示。
如果用户使用@bias或@tegaralaga或@admin等字符串发布状态更新“@tegaralaga你在哪里?”例如。我的系统检查数据库是否有用户名@tegaralaga,如果是基于 user_model.php 功能 get_fullname_by_username(); 它将返回 user_first_name 和 user_last_name 数据。但如果没有它会给FALSE返回。在我的用户表上有用户使用tegaralaga用户名,user_first_name是Bias,user_last_name是Tegaralaga。
移动到 post_helper.php ,如果$ name == FALSE,它将提供当前字符串@tegaralaga。但如果用户名存在,则会返回
"<a href="/profile/{$username}.html">{$name->user_first_name} {$name->user_last_name}</a>"。
如果存在,则字符串变为
"<a href="/profile/tegaralaga.html">Bias Tegaralaga</a> where are you?"
如果没有,则字符串仍为
"@tegaralaga where are you?"
所以我的问题是:
1.上面的代码是否可以使用preg_replace_callback? (看看post_helper.php)
2.如果可能,如果我们可以提到多于1个用户名,那么完美的REGEX是什么,以及电子邮件地址的例外情况(因为电子邮件地址也包含@符号)
答案 0 :(得分:2)
这应该对你有用..在你的回调函数中你收到regexp的所有匹配...你需要提取你需要的部分:
function get_mention_name($match){
$username=strtolower($match[1]);
$CI=&get_instance();
$CI->load->model('user_model');
$name=$CI->user_model->get_fullname_by_username($username);
if(empty($name)){
return "@".$username;
} else {
return "<a href=\"/profile/{$username}.html\">{$name->user_first_name} {$name->user_last_name}</a>";
}
}
function mention($post_content){
return preg_replace_callback(
"#(?<!\w)@(\w+)#",
"get_mention_name",
$post_content);
}