Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> การเขียนโปรแกรม

ตรวจสอบว่าจุดที่กำหนดอยู่ในรูปสามเหลี่ยมหรือไม่


ให้สามเหลี่ยมสามจุด นอกจากนี้ ยังมีจุด P อีกจุดหนึ่งเพื่อตรวจสอบว่าจุด P อยู่ภายในสามเหลี่ยมหรือไม่

ในการแก้ปัญหา ให้พิจารณาว่าจุดของสามเหลี่ยมคือ A, B และ C เมื่อพื้นที่ของสามเหลี่ยม Δ𝐴𝐵𝐶 =Δ𝐴𝐵𝑃 + Δ𝑃𝐵𝐶 + Δ𝐴𝑃𝐶 แล้วจุด P จะอยู่ภายในสามเหลี่ยม

อินพุตและเอาต์พุต

Input:
Points of the triangle {(0, 0), (20, 0), (10, 30)} and point p (10, 15) to check.
Output:
Point is inside the triangle.

อัลกอริทึม

isInside(p1, p2, p3, p)

ป้อนข้อมูล: สามเหลี่ยมสามจุด จุด p ที่ต้องตรวจสอบ

ผลลัพธ์: จริง เมื่อ p อยู่ในรูปสามเหลี่ยม

Begin
   area := area of triangle(p1, p2, p3)
   area1 := area of triangle(p, p2, p3)
   area2 := area of triangle(p1, p, p3)
   area3 := area of triangle(p1, p2, p)
   if area = (area1 + area2 + area3), then
      return true
   else return false
End

ตัวอย่าง

#include <iostream>
#include<cmath>
using namespace std;

struct Point {
   int x, y;
};

float triangleArea(Point p1, Point p2, Point p3) {         //find area of triangle formed by p1, p2 and p3
   return abs((p1.x*(p2.y-p3.y) + p2.x*(p3.y-p1.y)+ p3.x*(p1.yp2.y))/2.0);
}

bool isInside(Point p1, Point p2, Point p3, Point p) {     //check whether p is inside or outside
   float area = triangleArea (p1, p2, p3);          //area of triangle ABC
   float area1 = triangleArea (p, p2, p3);         //area of PBC
   float area2 = triangleArea (p1, p, p3);         //area of APC
   float area3 = triangleArea (p1, p2, p);        //area of ABP

   return (area == area1 + area2 + area3);        //when three triangles are forming the whole triangle
}
 
int main() {
   Point p1={0, 0}, p2={20, 0}, p3={10, 30};
   Point p = {10, 15};
   if (isInside(p1, p2, p3, p))
      cout << "Point is inside the triangle.";
   else
      cout << "Point is not inside the triangle";
}

ผลลัพธ์

Point is inside the triangle.