using System;
using static System.Console;
using System.Linq;
using System.Collections.Generic;
using System.Globalization;
using System.Runtime.CompilerServices;
using System.Runtime.Intrinsics.X86;
using System.Runtime.Intrinsics.Arm;
class Program
{
static int NN => int.Parse(ReadLine());
static int[] NList => ReadLine().Split().Select(int.Parse).ToArray();
static string[] SList(long n) => Enumerable.Repeat(0, (int)n).Select(_ => ReadLine()).ToArray();
public static void Main()
{
Solve();
}
static void Solve()
{
var c = NList;
var (n, q) = (c[0], c[1]);
var a = NList;
var query = SList(q);
var ft = new FenwickTree(n + 1);
var b = new long[n];
foreach (var que in query)
{
var s = que.Split();
var x = int.Parse(s[1]);
var y = int.Parse(s[2]);
if (que[0] == 'A')
{
--x;
var px = ft.Sum(x);
b[x] += px * a[x];
a[x] += y;
ft.Add(x, -px);
ft.Add(x + 1, px);
}
else
{
ft.Add(x - 1, 1);
ft.Add(y, -1);
}
}
for (var i = 0; i < n; ++i) b[i] += a[i] * ft.Sum(i);
WriteLine(string.Join(" ", b));
}
class FenwickTree
{
int size;
long[] tree;
public FenwickTree(int size)
{
this.size = size;
tree = new long[size + 2];
}
public void Add(int index, long value)
{
++index;
for (var x = index; x <= size; x += (x & -x)) tree[x] += value;
}
/// 先頭からindexまでの和(include index)
public long Sum(int index)
{
if (index < 0) return 0;
++index;
var sum = 0L;
for (var x = index; x > 0; x -= (x & -x)) sum += tree[x];
return sum;
}
public long Get(int index)
{
if (index == 0) return Sum(0);
return Sum(index) - Sum(index - 1);
}
/// Sum(x) >= value となる最小のxを求める
// 各要素は非負であること
public int LowerBound(long value)
{
if (value < 0) return -1;
var x = 0;
var b = 1;
while (b * 2 <= size) b <<= 1;
for (var k = b; k > 0; k >>= 1)
{
if (x + k <= size && tree[x + k] < value)
{
value -= tree[x + k];
x += k;
}
}
return x;
}
}
}