Never use the word "pattern" in the context of matching text as it's highly ambiguous, always at a minimum use "string"-or-"regexp" and "partial"-or-"full", whichever kind of matching you mean. See https://stackoverflow.com/q/65621325/1745001 for more information.
We can't tell from your question what type of matching you want so here are some examples, all of which produce the posted expected output from the posted sample input, and any/all of which might be completely wrong for the OPs needs:
Partial Line Regexp Matching:
$ awk '/italic/{print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
Partial Line String Matching:
$ awk 'index($0,"italic"){print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
Partial Field Regexp Matching:
$ awk '{for (i=1; i<=NF; i++) if ($i ~ /italic/) print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
Partial Field String Matching:
$ awk '{for (i=1; i<=NF; i++) if (index($i,"italic")) print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
Full Field Regexp Matching
a) Using GNU awk for word boundaries):
$ awk '/\<italic\>/{print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
b) Using any awk:
$ awk '/(^|[[:space:]])italic([[:space:]]|$)/{print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
Full Field String Matching:
a) With a loop:
$ awk '{for (i=1; i<=NF; i++) if ($i == "italic") print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
b) With no loop and a regexp assist:
$ awk 's=index($i,"italic") && (substr($0,s-1,1) ~ /^|[[:space:]]/) && (substr($0,s+length("italic"),1) ~ /[[:space:]]|$/){print p} {p=$0}' file
returns between the paragaraphs
quotes by placing
All of the above obviously produce the expected output from your posted sample input and all of them would fail given different input depending on your requirements for string vs regexp and full vs partial matching.
grep -v italic
would not work. Could you come up with an example that is more complex? – Kusalananda Oct 19 '18 at 09:30