0

我有下面给出的文件:

elix554bx.xayybol.42> vi setup.REVISION
# Revision information
setenv RSTATE R24C01
setenv CREVISION X3
exit

我的要求是从文件中读取 RSTATE,然后在 setup.REVISION 文件中增加 RSTATE 的最后 2 位数字并覆盖到同一个文件中。你能建议如何做到这一点吗?

4

3 回答 3

1

如果您正在使用vim,那么您可以使用以下序列:

/RSTATE/
$<C-a>:x

第一行后跟一个返回并搜索 RSTATE。第二行跳转到行尾并使用Control-a(如上所示<C-a>,以及在vim文档中)来增加数字。尽可能多地重复,以增加数字。:x后面还有一个返回并保存文件。

唯一棘手的一点是,数字的前导 0 让人vim认为数字是八进制的,而不是十进制的。您可以通过使用:set nrformats=后跟返回来关闭八进制和十六进制来覆盖它;默认值为nrformats=octal,hex.

你可以从Drew Neil的《 Practical Vim: Edit Text at the Speed of Thoughtvim》一书中学到很多东西。此信息来自第 2 章的技巧 10。

于 2013-07-16T06:17:04.837 回答
1

这是awk一个单行类型的解决方案:

awk '{
    if ( $0 ~ 'RSTATE' ) {
    match($0, "[0-9]+$" );
    sub( "[0-9]+$",
        sprintf( "%0"RLENGTH"d", substr($0, RSTART, RSTART+RLENGTH)+1 ),
        $0 );
    print; next;
    } else { print };
}' setup.REVISION > tmp$$
mv tmp$$ setup.REVISION

回报:

setenv RSTATE R24C02
setenv CREVISION X3
exit

这将适当地处理从二到三到更多数字的转换。

于 2013-07-16T06:37:38.297 回答
0

我给你写了一节课。

class Reader
{
    public string ReadRs(string fileWithPath)
    {
        string keyword = "RSTATE";
        string rs = "";
        if(File.Exists(fileWithPath))
        {
            StreamReader reader = File.OpenText(fileWithPath);
            try
            {
                string line = "";
                bool finded = false;
                while (reader != null && !finded)
                {
                    line = reader.ReadLine();
                    if (line.Contains(keyword))
                    {
                        finded = true;
                    }
                }
                int index = line.IndexOf(keyword);
                rs = line.Substring(index + keyword.Length +1, line.Length - 1 - (index + keyword.Length));
            }
            catch (IOException)
            {
                //Error
            }
            finally
            {
                reader.Close();
            }

        }

        return rs;
    }
    public int GetLastTwoDigits(string rsState)
    {
        int digits = -1;
        try
        {
            int length = rsState.Length;
            //Get the last two digits of the rsstate                
            digits = Int32.Parse(rsState.Substring(length - 2, 2));
        }
        catch (FormatException)
        {
            //Format Error
            digits = -1;
        }

        return digits;
    }
}

您可以使用它作为存在

Reader reader = new Reader();
string rsstate = reader.ReadRs("C://test.txt");
int digits = reader.GetLastTwoDigits(rsstate);
于 2013-07-16T06:31:24.087 回答