我有一个功能,可以将发布请求发送到php网站。通过简单地更改变量的大小写,我得到2种不同的行为。有问题的变量是'action'变量,可以将其设置为“ deleteIndexMain”或“ deleteIndexmain”。如果将action变量设置为“ deleteIndexmain”,则会弹出显示php返回的html的消息。如果将变量设置为“ deleteIndexMain”,则不会弹出。 (这似乎是一个JavaScript问题?

这是Java脚本代码:

function deleteMe(v,r)
            {
                if(confirm("Are you sure"))
                {
                    var xhttp = new XMLHttpRequest();
                    xhttp.onreadystatechange = function()
                    {
                        if(xhttp.readyState == 4 && xhttp.status == 200)
                        {
                            alert(xhttp.responseText);
                            document.getElementById("indexmaintable").deleteRow(r);
                        }
                    };
                    xhttp.open("POST", "includes/control.php", true);
                    xhttp.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
                    xhttp.send("action=deleteIndexMain&file="+v);
                }

            }


这是PHP代码:

<?php
    //Todo make sure  to authenticate!

    session_start();
    require_once("config.php");


    function deleteIndexMain($file)
    {
        unlink($file);
        $query = 'DELETE FROM indexmain WHERE linklocation="'.$file.'"';
        $db->query($query);
    }

    print_r($_POST);
    if(isset($_POST) && $_POST['action'] == "deleteIndexMain")
    {
        echo 'Deleting '.$_POST['file'];
        deleteIndexMain($_POST['file']);
    }



?>

最佳答案

==的字符串比较区分大小写。如果要执行不区分大小写的比较,可以使用strcasecmp()

if(isset($_POST) && strcasecmp($_POST['action'], "deleteIndexMain") == 0)


请注意,strcasecmp不返回布尔值,它返回一个数字,该数字指示第一个字符串是否小于,等于或大于第二个字符串。因此,您必须使用== 0来测试字符串是否相等。

或者,您可以在正常比较之前使用strtolower()将所有内容转换为单个大小写。

if(isset($_POST) && strtolower($_POST['action']) == "deleteindexmain")

09-16 07:27