Como posso criar várias cópias numeradas de um arquivo no Windows?

6

Eu tenho um arquivo chamado poll001.html e preciso criar 100 cópias que são nomeadas incrementalmente (por exemplo, poll002.html, poll003.html ... etc). Eu sei que isso é estúpido, mas é o que o patrão quer. alguma sugestão para isso com um script, linha de comando ou python? Mais uma vez, desculpe, este é um pedido ridículo.

    
por tomwolber 29.07.2010 / 16:25

5 respostas

9

Alguns lotes-fu. Substitua "source-file.html" pelo seu nome de arquivo de origem. Isso fará seus zeros iniciais também. Salve isso como um .BAT ou .CMD e deixe rasgar.

@echo off

for /L %%i IN (1,1,100) do call :docopy %%i
goto :EOF

:docopy
set FN=00%1
set FN=%FN:~-3%

copy source-file.html poll%FN%.html

Editar:

Para resolver um caso menos geral no sprit da resposta do sysadmin1138:

@echo off
for /L %%i IN (1,1,9) do copy source-file.html poll00%%i.html
for /L %%i IN (10,1,99) do copy source-file.html poll0%%i.html
copy source-file.html poll100.html
    
por 29.07.2010 / 17:06
5

O seguinte one-liner do powershell deve fazer o truque:

2..100 | %{cp poll001.html ("poll{0:D3}.html" -f $_)}
    
por 29.07.2010 / 17:45
1

Um arquivo em lote deve fazê-lo. Do alto da minha cabeça:

for /L %%N in (1,1,100) do echo <html></html> > poll%%N.html

Obter zeros iniciais será um pouco mais complicado, mas isso deve chegar lá. Se você precisar desses zeros,

for /L %%N in (1,1,9) do echo <html></html> > poll00%%N.html
for /L %%N in (10,1,99) do echo <html></html> > poll0%%N.html
echo <html></html> > poll100.html

O percentual duplo na frente do N é necessário se isso for usado dentro de um arquivo em lote. Se você estiver executando isso diretamente de um prompt de cmd, use um único percentual (% N).

    
por 29.07.2010 / 16:34
0

Tente fileboss .

    
por 29.07.2010 / 16:34
0

Aqui está uma versão muito rápida (menos testada) do código C #,
Você mencionou um python, isso não é que, infelizmente, você pode tentar converter para python. Ou se alguém puder explicar como isso pode ser executado em powershell.

using System;
using System.IO;

namespace TestnaKonzola
{
    class Program
    {
        static void Main(string[] args)
        {
            Console.WriteLine("Enter The First file name:");
            string firstFile = Path.Combine(Environment.CurrentDirectory, Console.ReadLine());
            Console.WriteLine("Enter the number of copyes:");
            int noOfCopy = int.Parse(Console.ReadLine());
            string newFile = string.Empty;
            for (int i = 0; i < noOfCopy; i++)
            {
                newFile = NextAvailableFilename(firstFile);
                Console.WriteLine(newFile);
                File.Copy(firstFile, newFile);   
            }
            Console.ReadLine();



        }
        public static string NextAvailableFilename(string path)
        {
            // Short-cut if already available
            if (!File.Exists(path))
                return path;

            // If path has extension then insert the number pattern just before the extension and return next filename
            if (Path.HasExtension(path))
                return GetNextFilename(path.Insert(path.LastIndexOf(Path.GetExtension(path)), numberPattern));

            // Otherwise just append the pattern to the path and return next filename
            return GetNextFilename(path + numberPattern);
        }
        private static string numberPattern = "{000}";
        private static string GetNextFilename(string pattern)
        {
            string tmp = string.Format(pattern, 1);
            if (tmp == pattern)
                throw new ArgumentException("The pattern must include an index place-holder", "pattern");

            if (!File.Exists(tmp))
                return tmp; // short-circuit if no matches

            int min = 1, max = 2; // min is inclusive, max is exclusive/untested

            while (File.Exists(string.Format(pattern, max)))
            {
                min = max;
                max *= 2;
            }

            while (max != min + 1)
            {
                int pivot = (max + min) / 2;
                if (File.Exists(string.Format(pattern, pivot)))
                    min = pivot;
                else
                    max = pivot;
            }

            return string.Format(pattern, max);
        }
    }
}
    
por 29.07.2010 / 16:59