Reputation: 1016
Specifically, I have a Markdown document with figures listed as so
```
data:image/s3,"s3://crabby-images/2ff4d/2ff4dbc114e5b8d2a2bec3655bb1b6c6275810cf" alt="Figure XXX"
...
data:image/s3,"s3://crabby-images/e1b2c/e1b2cef7afdc180f0800c918f1589874758ece58" alt="Figure XXX"
```
I'd like to end up with the following:
```
data:image/s3,"s3://crabby-images/2ff4d/2ff4dbc114e5b8d2a2bec3655bb1b6c6275810cf" alt="Figure 1"
...
data:image/s3,"s3://crabby-images/e1b2c/e1b2cef7afdc180f0800c918f1589874758ece58" alt="Figure 2"
```
I.e., with a monotonically increasing number. It strikes me that there are some sed/awk ninjas out there who can solve this.
Upvotes: 0
Views: 75
Reputation: 44063
I'd say
awk '/^!\[Figure/ { sub(/XXX/, ++n) } 1' filename.md
This will replace the first occurrence of XXX
in all lines that begin with ![Figure
with a running counter.
If the ![Figure
sequences can also appear in the middle of a line and possibly several times in one line (I don't think this is probable, but for the sake of completeness, let's consider the case), you might use
awk 'BEGIN { n = 1 } { while(sub(/!\[Figure XXX/, "![Figure " n)) ++n; } 1' filename.md
Upvotes: 2