In SAP ABAP, you can add days to a date using the + operator or the CALENDAR function module. Here are a few ways to do it:

1. Using Direct Arithmetic (+ and - Operators)

DATA: lv_date TYPE sy-datum.
lv_date = sy-datum + 10. " Adds 10 days to the current date
WRITE lv_date.

2. Using DATE_ADD_DAYS Function Module (Older versions)

DATA: lv_date TYPE sy-datum,
lv_newdate TYPE sy-datum.
lv_date = sy-datum. " Today's date
CALL FUNCTION 'DATE_ADD_DAYS'
EXPORTING
date = lv_date
days = 10
IMPORTING
new_date = lv_newdate.
WRITE lv_newdate.

3. Using Class CL_ABAP_DATFM (Newer Approach)

DATA: lv_date TYPE d,
lv_newdate TYPE d.
lv_date = sy-datum.
lv_newdate = cl_abap_datfm=>add_to_date(
i_date = lv_date
i_days = 10 ). " Adds 10 days
WRITE lv_newdate.

All these methods will correctly add days to a given date. The arithmetic method (sy-datum + N) is the most straightforward for simple calculations. Let me know if you need more help! 🚀