PHP 给定四个坐标点,判断它们能不能组成一个矩形

给你四个坐标点,判断它们能不能组成一个矩形,如判断([0,0],[0,1],[1,1],[1,0])能组成一个矩形。

答案

我们分析这道题, 给4个标点,判断是否矩形

高中知识,矩形有4条边,两两相等, 矩形两条对角线相等, 矩形的长短边与对角线满足勾股定理。

故解题思路为,根据坐标点,

列出所有的两点组合边长的数组,去重,看是不是只剩 3个长度(注意正方形2个长度)

判断是否满足勾股定理

调优一下,先判断有没有重复的点,有的话肯定不是矩形

  1. <?php
  2. function isRectangle($point1, $point2, $point3, $point4){
  3. if ($point1 == $point2 || $point1 == $point3 || $point1 == $point4 || $point2 == $point3 || $point2 == $point4 || $point3 == $point4) {
  4. return false;
  5. }
  6. $lengthArr = [];
  7. $lengthArr[] = getLengthSquare($point1, $point2);
  8. $lengthArr[] = getLengthSquare($point1, $point3);
  9. $lengthArr[] = getLengthSquare($point1, $point4);
  10. $lengthArr[] = getLengthSquare($point2, $point3);
  11. $lengthArr[] = getLengthSquare($point2, $point4);
  12. $lengthArr[] = getLengthSquare($point3, $point4);
  13. $lengthArr = array_unique($lengthArr);
  14. $lengthCount = count($lengthArr);
  15. if ($lengthCount == 3 || $lengthCount == 2 ) {
  16. if ($lengthCount == 2) {
  17. return(max($lengthArr) == 2*min($lengthArr));
  18. } else {
  19. $maxLength = max($lengthArr);
  20. $minLength = min($lengthArr);
  21. $otherLength = array_diff($lengthArr, [$maxLength, $minLength]);
  22. return($minLength + $otherLength == $maxLength);
  23. }
  24. } else {
  25. return false;
  26. }
  27. }
  28. function getLengthSquare($point1, $point2){
  29. $res = pow($point1[0]-$point2[0], 2)+pow($point1[1]-$point2[1], 2);
  30. return $res;
  31. }
  32. var_dump(isRectangle([0,0],[0,2],[2,2],[2,0]));