Echo multiple lines of text to a file in bash?

26,122

Solution 1

There would be several ways to do so:

 cat >index.php <<'EOT'
 $count = mysql_num_rows($result);
 print "<h3>$count metal prices available</h3>";
 EOT

or

 echo '$count = mysql_num_rows($result);
 print "<h3>$count metal prices available</h3>";' > index.php

or

 echo '$count = mysql_num_rows($result);' >index.php  # overwrites file if it already exists
 echo 'print "<h3>$count metal prices available</h3>";' >>index.php  # appends to file

there are much more possible ways - use this as a starting point for test things...

Solution 2

In bash, all you need to do is replace the outer quotes with single quotes:

echo '$count = mysql_num_rows($result);                                                                  
print "<h3>$count metal prices available</h3>";' > index.php

If you need to do more complicated stuff, you can echo multiple times using ">>" which appends instead of overwrites:

echo '$count = mysql_num_rows($result);' >> index.php
echo 'print "<h3>$count metal prices available</h3>";' >> index.php
Share:
26,122

Related videos on Youtube

Richard
Author by

Richard

Updated on September 18, 2022

Comments

  • Richard
    Richard over 1 year

    How do I write:

    $count = mysql_num_rows($result);
    print "<h3>$count metal prices available</h3>";
    

    to a file, index.php?

    I've tried:

    echo "$count = mysql_num_rows($result);
    print "<h3>$count metal prices available</h3>";" > index.php
    

    but I don't understand how to escape the double quotes that are in the input.

    Would it be better to use something other than echo? I'd rather not rewrite the whole PHP script if possible (it's longer than the 2 lines given in the example!).

  • taranaki
    taranaki over 5 years
    I especially like the first one. Thanks!