SectorSearch.cs 2.8 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495
  1. namespace SimulationCommon;
  2. public class SectorSearch
  3. {
  4. public class LocationW
  5. {
  6. public double Lon { get; set; }
  7. public double Lat { get; set; }
  8. }
  9. // 计算向量角度
  10. private static double CalculateVectorAngle(double[] vector)
  11. {
  12. double vectorCos = vector[0] / Math.Sqrt(vector[0] * vector[0] + vector[1] * vector[1]);
  13. double vectorAngle = 0;
  14. if (vector[1] >= 0)
  15. {
  16. vectorAngle = Math.Acos(vectorCos);
  17. }
  18. else if (vector[1] < 0)
  19. {
  20. vectorAngle = 2 * Math.PI - Math.Acos(vectorCos);
  21. }
  22. return vectorAngle;
  23. }
  24. // 根据角度和距离移动点
  25. private static LocationW MovePointByVectorAndAngle(double angle, double distance, LocationW startPoint, double[] vector)
  26. {
  27. double vectorAngle = CalculateVectorAngle(vector) + angle;
  28. return new LocationW
  29. {
  30. Lon = startPoint.Lon + distance * Math.Cos(vectorAngle),
  31. Lat = startPoint.Lat + distance * Math.Sin(vectorAngle)
  32. };
  33. }
  34. // 主逻辑
  35. public static void PerformSearch()
  36. {
  37. var boundaryPoints = new List<LocationW>();
  38. var outputWaypoints = new List<LocationW>();
  39. var basePoint = new LocationW();
  40. var baseDir = new double[] { 0, 1 };
  41. Console.WriteLine("输入搜索角度:");
  42. double searchAngle = double.Parse(Console.ReadLine());
  43. Console.WriteLine("输入扫描宽度:");
  44. double sweepWidth = double.Parse(Console.ReadLine());
  45. double rs = sweepWidth / Math.Sin(searchAngle / 2);
  46. int numPoints = (int)(360 / searchAngle);
  47. boundaryPoints.Add(basePoint);
  48. for (int i = 0; i < numPoints; i++)
  49. {
  50. var midpoint = MovePointByVectorAndAngle(i * searchAngle, rs, basePoint, baseDir);
  51. boundaryPoints.Add(midpoint);
  52. midpoint.Lat = basePoint.Lat;
  53. midpoint.Lon = basePoint.Lon;
  54. }
  55. var num = new int[(int)(3 * (180 / searchAngle) + 1)];
  56. num[0] = 0;
  57. for (int i = 1, n = 1, m = 1; n < 3 * (180 / searchAngle); i += 2)
  58. {
  59. m = i;
  60. num[n++] = m;
  61. m = i + 1;
  62. num[n++] = m;
  63. m = 0;
  64. num[n++] = m;
  65. m = (int)(i + 1 + 180 / searchAngle);
  66. num[n++] = m;
  67. m = (int)(i + 180 / searchAngle);
  68. num[n++] = m;
  69. m = 0;
  70. num[n++] = m;
  71. }
  72. foreach (var index in num)
  73. {
  74. outputWaypoints.Add(new LocationW { Lat = boundaryPoints[index].Lat, Lon = boundaryPoints[index].Lon });
  75. }
  76. // Optionally display output
  77. foreach (var waypoint in outputWaypoints)
  78. {
  79. Console.WriteLine($"Waypoint: Lat = {waypoint.Lat}, Lon = {waypoint.Lon}");
  80. }
  81. }
  82. }