我正在为博客计划一个用 PHP 编码的视图计数。计数器的目的是指示阅读博客文章的频率,例如 StackOverflow 在问题页面上显示“查看了 n 次”。
首先,我想将计数器数据存储在文件中,但通过研究,我改变了主意,将 MySQL 与几个 InnoDB 表一起使用,因为这些表的执行速度比 HDD 查找快,从长远来看更省力,并且原生提供有用的功能。
我遇到的问题是如何每个用户只计算一次?
限制 IP 不是解决方案,因为动态 IP 和网络大多具有与所有连接设备(例如学校、办公室、公共接入点)共享连接的单个 IP。
编辑:
受fideloper 的回答启发,我正在考虑基于会话的解决方案。
我已经为会话使用了单独的数据库表,因此我将按照建议将其合并到解决方案中。
这是我到目前为止所得到的(使用Laravel 4和Eloquent ORM):
SQL 表设置:
--
-- Sessions Table
--
CREATE TABLE sessions (
id VARCHAR(255) NOT NULL COLLATE 'utf8_unicode_ci',
payload TEXT NOT NULL COLLATE 'utf8_unicode_ci',
last_activity INT(11) NOT NULL,
UNIQUE INDEX sessions_id_unique (id)
) COLLATE='utf8_unicode_ci' ENGINE=InnoDB;
--
-- Views Table
--
CREATE TABLE post_views (
id INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
post_id INT(11) UNSIGNED NOT NULL,
sess_id VARCHAR(255) NOT NULL COLLATE 'utf8_unicode_ci',
viewed_at TIMESTAMP NULL DEFAULT NULL,
PRIMARY KEY (id)
) COLLATE='utf8_unicode_ci' ENGINE=InnoDB;
--
-- Posts Table
--
CREATE TABLE posts (
id INT(11) UNSIGNED NOT NULL AUTO_INCREMENT,
user_id INT(11) UNSIGNED NOT NULL,
title VARCHAR(255) NOT NULL COLLATE 'utf8_unicode_ci',
excerpt TEXT NOT NULL COLLATE 'utf8_unicode_ci',
slug VARCHAR(255) NOT NULL COLLATE 'utf8_unicode_ci',
content LONGTEXT NOT NULL COLLATE 'utf8_unicode_ci',
...
views INT(10) UNSIGNED NOT NULL DEFAULT '0',
PRIMARY KEY (id)
) COLLATE='utf8_unicode_ci' ENGINE=InnoDB;
PHP 视图计数器类:
<?php namespace Services\Posts;
/**
* Blog Post Views Counter
*
* Using Laravel 4 with Eloquent ORM
*/
class ViewsCounter {
public $post_id;
/**
* Sets the post id
*
* @param int $id
* @return void
*/
public function setPostID($id)
{
$this->post_id = $id;
}
/**
* Handles the view count
*
* @return bool True or false on failure
*/
public function countView()
{
// Get the post data from the db
try
{
$post = \Post::findOrFail($this->post_id);
}
catch (\Illuminate\Database\Eloquent\ModelNotFoundException $e)
{
return false;
}
// Get the current session id
$sess_id = session_id();
// Check if this view was already counted by
// looking up the session id in the views table
$post_views = \PostViews::where('sess_id', '=', $sess_id)
->where('post_id', '=', $this->post_id)
->remember(10)
->first();
// The sess_id was not found so count the view
if (empty($post_views))
{
$post_views->post_id = $this->post_id;
$post_views->sess_id = $sess_id;
$post_views->viewed_at = date('Y-m-d H:i:s');
$post_views->save();
// A cronjob is run every 24 hours to count the views per
// post and update the count values in the posts table.
// The post_views table will be truncated when done.
}
return true;
}
}
建议表示赞赏。