Capon Beamformer

Inheritance diagram of hermespy.beamforming.CaponBeamformer

Capon beamformer, also referred to as Minimum Variance Distortionless Response (MVDR).

The Capon[1] beamformer estimates the power \(\hat{P}\) received from a direction \((\theta, \phi)\), where \(\theta\) is the zenith and \(\phi\) is the azimuth angle of interest in spherical coordinates, respectively. Let \(\mathbf{X} \in \mathbb{C}^{N \times T}\) be the the matrix of \(T\) time-discrete samples acquired by an antenna arrary featuring \(N\) antennas and

\[\mathbf{R}^{-1} = \left( \mathbf{X}\mathbf{X}^{\mathsf{H}} + \lambda \mathbb{I} \right)^{-1}\]

be the respective inverse sample correlation matrix loaded by a factor \(\lambda \in \mathbb{R}_{+}\). The antenna array’s response towards a source within its far field emitting a signal of small relative bandwidth is \(\mathbf{a}(\theta, \phi) \in \mathbb{C}^{N}\). Then, the Capon beamformer’s spatial power response is defined as

\[\hat{P}_{\mathrm{Capon}}(\theta, \phi) = \frac{1}{\mathbf{a}^{\mathsf{H}}(\theta, \phi) \mathbf{R}^{-1} \mathbf{a}(\theta, \phi)}\]

with

\[\mathbf{w}(\theta, \phi) = \frac{\mathbf{R}^{-1} \mathbf{a}(\theta, \phi)}{\mathbf{a}^{\mathsf{H}}(\theta, \phi) \mathbf{R}^{-1} \mathbf{a}(\theta, \phi)} \in \mathbb{C}^{N}\]

being the beamforming weights to steer the sensor array’s receive characteristics towards direction \((\theta, \phi)\), so that

\[\mathcal{B}\lbrace \mathbf{X} \rbrace = \mathbf{w}^\mathsf{H}(\theta, \phi) \mathbf{X}\]

is the implemented beamforming equation.

The following section provides an example for the usage of the Conventional Beamformer in a communication scenario.

For this a new simulation environment is initialised. A digital antenna array consisting of ideal isotropic antenna elements spaced at half wavelength intervals is created and is assigned to a device representing a base station.

 1# Initialize a new simulation
 2from hermespy.simulation import Simulation
 3
 4simulation = Simulation(seed=42)
 5
 6# Create a new device and assign it the antenna array
 7from hermespy.simulation import SimulatedIdealAntenna, SimulatedUniformArray
 8from hermespy.core import Transformation
 9import numpy as np
10
11base_station_device = simulation.new_device(
12    antennas=SimulatedUniformArray(SimulatedIdealAntenna, .5 * wavelength, (8, 8, 1)),
13    carrier_frequency=carrier_frequency,
14    pose=Transformation.From_Translation(np.array([0, 0, 0])),
15)

To probe the characterestics a cosine waveform is generated as the transmit waveform.

 1# Configure a probing signal to be transmitted.
 2from hermespy.modem import RootRaisedCosineWaveform, SingleCarrierLeastSquaresChannelEstimation, SingleCarrierZeroForcingChannelEqualization, SingleCarrierCorrelationSynchronization
 3
 4waveform = RootRaisedCosineWaveform(
 5    symbol_rate=sampling_rate//2,
 6    oversampling_factor=2,
 7    num_preamble_symbols=32,
 8    num_data_symbols=128,
 9    roll_off=.9,
10)
11waveform.synchronization = SingleCarrierCorrelationSynchronization()
12waveform.channel_estimation = SingleCarrierLeastSquaresChannelEstimation()
13waveform.channel_equalization = SingleCarrierZeroForcingChannelEqualization()

The base station device is configured to receive the signal from desired UE by assigning the Capon Beamformer to the base station device.

 1# Assign the capon beanfornmer to the base station device.
 2from hermespy.beamforming import CaponBeamformer
 3from hermespy.modem import ReceivingModem
 4from copy import deepcopy
 5
 6beamformer = CaponBeamformer(1.0)
 7base_station_device.receive_coding[0] = beamformer
 8
 9base_station_receiver = ReceivingModem(waveform=deepcopy(waveform))
10base_station_device.add_dsp(base_station_receiver)

Now the simulation can be extended to evaluate the performance in a real world communication scenario. For this two devices representing the UEs are added, to be illuminated by the BS.

1# Create two simulated devices representing the user equipments
2user_equipment_device_1 = simulation.new_device(
3    carrier_frequency=carrier_frequency,
4    pose=Transformation.From_Translation(np.array([200., 200., 100.])),
5)
6user_equipment_device_2 = simulation.new_device(
7    carrier_frequency=carrier_frequency,
8    pose=Transformation.From_Translation(np.array([200., -200., 100.])),
9)

The user equipments are configured to transmit the probing signal.

1# Configure the user equipments to transmit the signal.
2from hermespy.modem import TransmittingModem
3
4user_equipment_transmitter_1 = TransmittingModem(waveform=deepcopy(waveform))
5user_equipment_transmitter_2 = TransmittingModem(waveform=deepcopy(waveform))
6user_equipment_device_1.add_dsp(user_equipment_transmitter_1)
7user_equipment_device_2.add_dsp(user_equipment_transmitter_2)

Now as defined the Capon Beamformer focuses on one UE. This can be realised by configuring the receive foucs of the Beamformer.

1# Focus the base station's main lobe on the desired user equipment.
2from hermespy.simulation import DeviceFocus
3
4beamformer.receive_focus = [
5    DeviceFocus(user_equipment_device_1), # Focus on User Equipmment 1
6]

The propgation characterestics between the BS and the UEs can be modelled using the SpatialDelayChannel Model.

 1# Configure a channel between base station and the UEs
 2from hermespy.channel import SpatialDelayChannel
 3
 4simulation.set_channel(
 5    base_station_device,
 6    user_equipment_device_1,
 7    SpatialDelayChannel(model_propagation_loss=False),
 8)
 9
10simulation.set_channel(
11    base_station_device,
12    user_equipment_device_2,
13    SpatialDelayChannel(model_propagation_loss=False),
14)

The performance of the beamformer is studied by analysing the received signal quality from the respective UEs. For this purpose, the Error Vector Magnitude of the consetallation diagram of the Received signal is evaluated.

 1# Run the simulation and the inspect the received signal quality from the respective UEs.
 2from hermespy.modem import ConstellationEVM
 3
 4simulation.add_evaluator(ConstellationEVM(user_equipment_transmitter_1, base_station_receiver))
 5simulation.add_evaluator(ConstellationEVM(user_equipment_transmitter_2, base_station_receiver))
 6
 7# Creating a new dimension to dynamically switch the focus of the beamformer during the simulation campaign.
 8simulation.new_dimension(
 9    'focused_device',
10    [user_equipment_device_1, user_equipment_device_2],
11    beamformer.receive_focus[0]
12)
13
14result = simulation.run()
class CaponBeamformer(loading=0.0)[source]

Bases: ReceiveBeamformer

Parameters:

loading (float) – Diagonal covariance loading coefficient \(\lambda\). Defaults to zero.

classmethod Deserialize(process)[source]

Deserialize an object’s state.

Objects cannot be deserialized directly, instead a Factory must be instructed to carry out the deserialization process.

Parameters:

process (DeserializationProcess) – The current stage of the deserialization process. This object is generated by the Factory and provides an interface to deserialization methods supporting multiple backends.

Return type:

CaponBeamformer

Returns:

The deserialized object.

_decode(samples, carrier_frequency, angles, array)[source]

Decode signal streams for receive beamforming.

This method is called as a subroutine during decode_streams and probe.

Parameters:
  • samples (ndarray) – Signal samples, first dimension being the number of signal streams \(N\), second the number of samples \(T\).

  • carrier_frequency (float) – The assumed carrier central frequency of the samples \(f_\mathrm{c}\).

  • angles (ndarray) – Spherical coordinate system angles of arrival in radians. A three-dimensional numpy array with the first dimension representing the number of angles, the second dimension of magnitude number of focus points \(F\), and the third dimension containing the azimuth and zenith angle in radians, respectively.

  • array (AntennaArrayState) – The assumed antenna array.

Return type:

ndarray

Returns:

Stream samples of the focused signal towards all focus points. A three-dimensional numpy array with the first dimension representing the number of focus points, the second dimension the number of returned streams and the third dimension the amount of samples.

num_receive_output_streams(num_input_streams)[source]

Get required number of output streams during decoding.

Parameters:

num_input_streams (int) – Number of input streams.

Return type:

int

Returns: The number of output streams. Negative numbers indicate infeasible configurations.

serialize(process)[source]

Serialize this object’s state.

Objects cannot be serialized directly, instead a Factory must be instructed to carry out the serialization process.

Parameters:

process (SerializationProcess) – The current stage of the serialization process. This object is generated by the Factory and provides an interface to serialization methods supporting multiple backends.

Return type:

None

property loading: float

Magnitude of the diagonal sample covariance matrix loading.

Required for robust matrix inversion in the case of rank-deficient sample covariances.

Returns:

Diagonal loading coefficient \(\lambda\).

Raises:

ValueError – For loading coefficients smaller than zero.

property num_receive_focus_points: int

Number of required receive focus points.

If this is \(1\), the beamformer is considered to be a single focus point beamformer and receive_focus will return a single focus point. Otherwise, the beamformer is considered a multi focus point beamformer and receive_focus will return a Sequence of focus points.

Returns: Number of focus points.