Implement a simple ticketing system using queues in C#. The system should allow customers to join a queue for service and then be served in the order they joined. Each customer should be identified by a unique ticket number. The program should have options for customers to join the queue, be served (removing them from the queue), and display the current queue status (list of ticket numbers in the queue).

Here is a simple implementation of a ticketing system using queues in C#:

```csharp
using System;
using System.Collections.Generic;

class TicketingSystem
{
static Queue<int> ticketQueue = new Queue<int>();
static int ticketNumber = 1;

static void Main()
{
while (true)
{
Console.WriteLine("Welcome to the Ticketing System!");
Console.WriteLine("1. Join the queue");
Console.WriteLine("2. Be served");
Console.WriteLine("3. Display current queue status");
Console.WriteLine("4. Exit");

int choice = int.Parse(Console.ReadLine());

switch (choice)
{
case 1:
JoinQueue();
break;
case 2:
ServeCustomer();
break;
case 3:
DisplayQueueStatus();
break;
case 4:
Environment.Exit(0);
break;
default:
Console.WriteLine("Invalid choice. Please try again.");
break;
}
}
}

static void JoinQueue()
{
ticketQueue.Enqueue(ticketNumber);
Console.WriteLine($"You have joined the queue. Your ticket number is: {ticketNumber}");
ticketNumber++;
}

static void ServeCustomer()
{
if (ticketQueue.Count == 0)
{
Console.WriteLine("Queue is empty. No customers to serve.");
}
else
{
int servedTicket = ticketQueue.Dequeue();
Console.WriteLine($"Ticket number {servedTicket} has been served.");
}
}

static void DisplayQueueStatus()
{
Console.WriteLine("Current queue status:");
foreach (int ticket in ticketQueue)
{
Console.WriteLine(ticket);
}
}
}
```

You can run this program in a C# console application. Customers can join the queue by choosing option 1, be served by choosing option 2, and display the current queue status by choosing option 3. Customers are assigned unique ticket numbers when they join the queue, and they are served in the order they joined.