只需 stripslashes() 就足以摆脱魔术引号。
$text = stripslashes($_POST["text"]); 
查看在运行时删除魔术引号的更完整示例:http: //php.net/manual/en/security.magicquotes.disabling.php
你真的应该得到一个不同的 PHP 服务器。自 PHP 5.3.0(2009 年 6 月)起,魔术引号已被弃用。您的 PHP 托管站点已近四年没有更新 PHP,而且您面临许多其他错误甚至安全漏洞的风险。是时候转移到另一个主机了。
回复您的评论:
是的,stripslashes 只是将请求参数转换为纯文本。
至于是否应该使用mysql_real_escape_string()的问题...
首先,只有在将值插入 SQL 查询时才应该这样做。您不一定要对每个 POST 值都这样做,因此将转义应用于所有内容是愚蠢的。  
以此类推,这就像在你知道你会吃多少以及你会吃多少剩菜之前将你的晚餐放入冰箱储存容器中一样。:-)
其次,您根本不应该再使用 mysql_* 函数。自 PHP 5.5.0 起不推荐使用它们,并且将在 PHP 的未来版本中删除它们。您现在应该开始使用 mysqli_* 或 PDO 函数。
第三,您根本不应该对 SQL 查询中的动态值使用转义。相反,使用带参数的准备好的查询。与使用 mysql_real_escape_string() 相比,参数化查询更安全、更易于编码且运行速度更快。
回复您的下一条评论:
不,我认为你还没有得到它。
如果您想将 $_POST["text"] 插入 SQL 查询,并且魔术引号为 ON,您可以执行以下操作:
// remove the magic quotes simply with stripslashes():
$text = stripslashes($_POST["text"]);
// prepare an SQL statement, using a ? placeholder instead of interpolated value
$stmt = $mysqli->prepare("INSERT INTO mytable (mytext) VALUES (?)");
// always check for an error on prepare, you might have made a syntax error, 
// or the table might not exist, etc.
if ($stmt === false) {
  die($mysqli->error);
} 
// bind one PHP variables for each parameter placeholder in the query
$stmt->bind_param("s", $text);
// then execute!  MySQL will use the values of the PHP variables you bound
// in place of the placeholders
$status = $stmt->execute();
// always check for an error on execute too, because the value of the parameter 
// might cause the query to fail, e.g. conflicting with another value in a 
// unique column, etc.
if ($status === false) {
  die($stmt->error);
}
如果使用查询参数,则无需使用 mysqli_real_escape_string()。
如果您需要更多帮助,这里有一个关于 mysqli 的教程,其中包含显示绑定参数的示例: