This child view is not displaying image URLs passed in from a parent view. Child view:
struct PostImageView: View {
  var postImage: String
  var body: some View {
      AsyncImage(url: URL(string: postImage)) { image in
          image
              .resizable()
              .aspectRatio(contentMode: .fit)
      } placeholder: {
          Text("IMAGE URL: \(postImage)")
          ProgressView()
      }
      .ignoresSafeArea()
  }
}
- The Text("IMAGE URL: \(postImage)")is displaying the image URL on the view during loading state
- Adding a static image URL displays the image: AsyncImage(url: URL(string: "https://url-to-image"))
The parent view relies on an ObservableObject to determine when to display the view containing AsyncImage:
class ImageDetail: ObservableObject {
    @Published var imageUrl = ""
    @Published var showImageDetail: Bool = false
}
This part of the parent view then navigates to the child view and passes the image URL:
 NavigationLink(destination: PostImageView(postImage: imageDetail.imageUrl), isActive: $imageDetail.showImageDetail) {
    EmptyView()
 }
When showImageDetail is true, the imageUrl value contains a valid image URL, which is then passed into the PostImageView containing AsyncImage.
The imageUrl value is being successfully passed as per the Text("IMAGE URL: \(postImage)") output mentioned above.
 
    