GetNextEntry() public method

Read the next entry from the zip file.

Call this method just before calling Read(byte[], int, int), to position the pointer in the zip file to the next entry that can be read. Subsequent calls to Read(), will decrypt and decompress the data in the zip file, until Read() returns 0.

Each time you call GetNextEntry(), the pointer in the wrapped stream is moved to the next entry in the zip file. If you call , and thus re-position the pointer within the file, you will need to call GetNextEntry() again, to insure that the file pointer is positioned at the beginning of a zip entry.

This method returns the ZipEntry. Using a stream approach, you will read the raw bytes for an entry in a zip file via calls to Read(). Alternatively, you can extract an entry into a file, or a stream, by calling ZipEntry.Extract(), or one of its siblings.

public GetNextEntry ( ) : ZipEntry
return ZipEntry
Esempio n. 1
1
        public byte[] Decrypt(byte[] Data, byte[] Key)
        {
            string StringContent = Encoding.UTF8.GetString(Data);
            var ByteArray = ToByteArray(StringContent.Replace("<s:Envelope xmlns:s=\"http://schemas.xmlsoap.org/soap/envelope/\"><s:Body><data>", "").Replace("</data></s:Body></s:Envelope>", ""));

            MemoryStream s = new MemoryStream(ByteArray);
            using (ZipInputStream InputStream = new ZipInputStream(s))
            {
                InputStream.Password = Encoding.UTF8.GetString(Key);
                InputStream.GetNextEntry();

                return Encoding.Unicode.GetBytes(new StreamReader(InputStream, Encoding.Unicode).ReadToEnd());
            }
        }
Esempio n. 2
0
        public IEnumerable<FileEntry> ListFiles(Stream strm, Callbacks callbacks)
        {
            ZipEntry ze;
            ZipInputStream zstrm = new ZipInputStream(strm, true);
            List<FileEntry> results = new List<FileEntry>();
            FileEntry fe;

            SetupZIPParams();
            while (true)
            {
                ze = zstrm.GetNextEntry();
                if (ze == null)
                    break;

                if (ze.IsDirectory)
                    continue;

                fe = new FileEntry();
                fe.Filename = ze.FileName;
                fe.UncompressedSize = ze.UncompressedSize;
                fe.Timestamp = ze.LastModified;
                results.Add(fe);
            };

            return results;
        }
        public void ReadCompressedZip(string filepath)
        {
            while (BackgroundWriting) ;

            ZipInputStream instream = new ZipInputStream(filepath);
            BinaryFormatter formatter = new BinaryFormatter();
            instream.GetNextEntry();
            searchDump = new TCPTCPGecko.Dump((uint)formatter.Deserialize(instream), (uint)formatter.Deserialize(instream));
            instream.Read(searchDump.mem, 0, (int)(searchDump.EndAddress - searchDump.StartAddress));

            instream.GetNextEntry();
            resultsList = (System.Collections.Generic.List<UInt32>)formatter.Deserialize(instream);

            instream.Close();
            instream.Dispose();
        }
Esempio n. 4
0
		public int Decompress(PointCloudTile tile, byte[] compressedBuffer, int count, byte[] uncompressedBuffer)
		{
			MemoryStream compressedStream = new MemoryStream(compressedBuffer, 0, count, false);

			int uncompressedBytes = 0;
			using (ZipInputStream zipStream = new ZipInputStream(compressedStream, true))
			{
				zipStream.GetNextEntry();
				uncompressedBytes = zipStream.Read(uncompressedBuffer, 0, uncompressedBuffer.Length);
			}

			return uncompressedBytes;
		}
Esempio n. 5
0
 // Methods
 public void Dissect()
 {
     byte[] buffer = new byte[0x800];
     using (ZipInputStream stream2 = new ZipInputStream(this.MS))
     {
         for (ZipEntry entry = stream2.GetNextEntry(); entry != null; entry = stream2.GetNextEntry())
         {
             if (!entry.IsDirectory)
             {
                 ZipFileEntry item = new ZipFileEntry
                 {
                     Name = entry.FileName
                 };
                 MemoryStream stream = new MemoryStream();
                 if (Strings.Len(this.Pass) > 0)
                 {
                     stream2.Password = this.Pass;
                 }
                 if (entry.UncompressedSize > 0L)
                 {
                     for (int i = stream2.Read(buffer, 0, buffer.Length); i > 0; i = stream2.Read(buffer, 0, buffer.Length))
                     {
                         stream.Write(buffer, 0, i);
                     }
                 }
                 item.contents = stream.ToArray();
                 this.Files.Add(item, null, null, null);
             }
             else
             {
                 ZipFileEntry entry3 = new ZipFileEntry
                 {
                     IsDir = true,
                     Name = entry.FileName
                 };
             }
         }
     }
 }
Esempio n. 6
0
        protected void btnImport_Click(object sender, EventArgs e)
        {
            if (!IsValid) return;

            var imported = new List<string>();

            using (var zip = new ZipInputStream(fupImport.FileContent))
            {
                for (var entry = zip.GetNextEntry(); entry != null; entry = zip.GetNextEntry())
                {
                    if (entry.IsDirectory) continue;
                    var path = rootPath + '/' + entry.FileName;
                    fileSystem.WriteFile(path, zip);
                    imported.Add(path);
                }
            }

            rptImportedFiles.DataSource = imported;
            rptImportedFiles.DataBind();

            mvwImport.ActiveViewIndex = 1;

            Refresh(Selection.SelectedItem, ToolbarArea.Navigation);
        }
 private static byte[] ExtractLogoBin(string zipfilename)
 {
     byte[] buffer = null;
     using (var input = new ZipInputStream(zipfilename))
     {
         ZipEntry e;
         while ((e = input.GetNextEntry()) != null)
         {
             if (e.IsDirectory) continue;
             if (Path.GetFileName(e.FileName) != "logo.bin") continue;
             buffer = new byte[e.UncompressedSize];
             input.Read(buffer, 0, buffer.Length);
             break;
         }
     }
     return buffer;
 }
Esempio n. 8
0
		/// <summary>
		/// Initializes a new instance of the <see cref="WF.Compiler.Parser"/> class.
		/// Checks also, if the gwz could be found, and if it contains a lua file
		/// </summary>
		/// <param name='filename'>
		/// Filename.
		/// </param>
		public Parser ( string filename )
		{
			// Check if fileName exists
			if ( !File.Exists ( filename ) )
			{
				// Try, if we could append a .gwz to the filename to get the file than
				if ( !File.Exists ( filename + ".gwz" ) )
					throw new FileNotFoundException ( "File not found", filename );
				else
					this.filenameGwz = filename + ".gwz";
			}
			else
			{
				// Save fileName
				this.filenameGwz = filename;
			}

			// Now open gwz file and read all relevant data
			ZipInputStream zipInput = new ZipInputStream ( File.OpenRead ( filename ) );

			ZipEntry zipEntry;

			while ( ( zipEntry = zipInput.GetNextEntry () ) != null ) 
			{
				switch ( Path.GetExtension ( zipEntry.FileName ).ToLower () )
				{
					case ".lua":
						filenameLua = zipEntry.FileName;
						break;
					case ".gwi":
						filenameInfo = zipEntry.FileName;
						break;
					default:
						files.Add ( zipEntry.FileName.ToLower () );
						break;
				}
			}

			zipInput.Close ();

			// Is gwz file a valid gwz file
			if ( filenameLua == null )
				throw new FileNotFoundException ( "Lua file not found", filename );
		}
Esempio n. 9
0
 /// <summary>
 /// Unzips a stream and calls an action for each unzipped file.
 /// </summary>
 /// <param name="zip">The zip byte array.</param>
 /// <param name="unzipAction">The action to perform with each unzipped file.</param>
 public static void Unzip(Stream zip, Action<Path, byte[]> unzipAction)
 {
     using (var zipStream = new ZipInputStream(zip)) {
         ZipEntry theEntry;
         while ((theEntry = zipStream.GetNextEntry()) != null) {
             if (!theEntry.IsDirectory && theEntry.FileName != "") {
                 using (var streamWriter = new MemoryStream()) {
                     var data = new byte[2048];
                     while (true) {
                         var size = zipStream.Read(data, 0, data.Length);
                         if (size > 0)
                             streamWriter.Write(data, 0, size);
                         else
                             break;
                     }
                     streamWriter.Close();
                     unzipAction(new Path(theEntry.FileName), streamWriter.ToArray());
                 }
             }
         }
     }
 }
Esempio n. 10
0
        public void _Internal_Streams_WinZip_Zip(int fodderOption, string password, string label)
        {
            if (!WinZipIsPresent)
                throw new Exception("skipping test [_Internal_Streams_WinZip_Zip] : winzip is not present");

            int[] fileCounts = { 1, 2, _rnd.Next(8) + 6, _rnd.Next(18) + 16, _rnd.Next(48) + 56 };

            for (int m = 0; m < fileCounts.Length; m++)
            {
                string dirToZip = String.Format("trial{0:D2}", m);
                if (!Directory.Exists(dirToZip)) Directory.CreateDirectory(dirToZip);

                int fileCount = fileCounts[m];
                string zipFileToCreate = Path.Combine(TopLevelDir,
                                                      String.Format("Streams_Winzip_Zip.{0}.{1}.{2}.zip", fodderOption, label, m));

                string[] files = null;
                if (fodderOption == 0)
                {
                    // zero length files
                    files = new string[fileCount];
                    for (int i = 0; i < fileCount; i++)
                        files[i] = CreateZeroLengthFile(i, dirToZip);
                }
                else if (fodderOption == 1)
                    files = TestUtilities.GenerateFilesFlat(dirToZip, fileCount, 100, 72000);
                else
                {
                    // mixed
                    files = new string[fileCount];
                    for (int i = 0; i < fileCount; i++)
                    {
                        if (_rnd.Next(3) == 0)
                            files[i] = CreateZeroLengthFile(i, dirToZip);
                        else
                        {
                            files[i] = Path.Combine(dirToZip, String.Format("nonzero{0:D4}.txt", i));
                            TestUtilities.CreateAndFillFileText(files[i], _rnd.Next(60000) + 100);
                        }
                    }
                }

                // Create the zip archive via WinZip.exe
                string pwdOption = String.IsNullOrEmpty(password) ? "" : "-s" + password;
                string formatString = "-a -p {0} -yx \"{1}\" \"{2}\\*.*\"";
                string wzzipOut = this.Exec(wzzip, String.Format(formatString, pwdOption, zipFileToCreate, dirToZip));

                // Verify the number of files in the zip
                Assert.AreEqual<int>(TestUtilities.CountEntries(zipFileToCreate), files.Length,
                                     "Incorrect number of entries in the zip file.");

                // extract the files
                string extractDir = String.Format("extract{0:D2}", m);
                Directory.CreateDirectory(extractDir);
                byte[] buffer = new byte[2048];
                int n;

                using (var raw = File.OpenRead(zipFileToCreate))
                {
                    using (var input = new ZipInputStream(raw))
                    {
                        input.Password = password;
                        ZipEntry e;
                        while ((e = input.GetNextEntry()) != null)
                        {
                            TestContext.WriteLine("entry: {0}", e.FileName);
                            string outputPath = Path.Combine(extractDir, e.FileName);
                            if (e.IsDirectory)
                            {
                                // create the directory
                                Directory.CreateDirectory(outputPath);
                                continue;
                            }
                            // create the file
                            using (var output = File.Create(outputPath))
                            {
                                while ((n = input.Read(buffer, 0, buffer.Length)) > 0)
                                {
                                    output.Write(buffer, 0, n);
                                }
                            }

                            // we don't set the timestamps or attributes
                            // on the file/directory.
                        }
                    }
                }

                string[] filesUnzipped = Directory.GetFiles(extractDir);

                // Verify the number of files extracted
                Assert.AreEqual<int>(files.Length, filesUnzipped.Length,
                                     "Incorrect number of files extracted.");
            }
        }
Esempio n. 11
0
        public void _Internal_Streams_7z_Zip(int flavor, string label)
        {
            if (!SevenZipIsPresent)
            {
                TestContext.WriteLine("skipping test [_Internal_Streams_7z_Zip] : SevenZip is not present");
                return;
            }

            int[] fileCounts = { 1, 2, _rnd.Next(8) + 6, _rnd.Next(18) + 16, _rnd.Next(48) + 56 };

            for (int m = 0; m < fileCounts.Length; m++)
            {
                string dirToZip = String.Format("trial{0:D2}", m);
                if (!Directory.Exists(dirToZip)) Directory.CreateDirectory(dirToZip);

                int fileCount = fileCounts[m];
                string zipFileToCreate = Path.Combine(TopLevelDir,
                                                      String.Format("Streams_7z_Zip.{0}.{1}.{2}.zip", flavor, label, m));

                string[] files = null;
                if (flavor == 0)
                {
                    // zero length files
                    files = new string[fileCount];
                    for (int i = 0; i < fileCount; i++)
                        files[i] = CreateZeroLengthFile(i, dirToZip);
                }
                else if (flavor == 1)
                    files = TestUtilities.GenerateFilesFlat(dirToZip, fileCount, 100, 72000);
                else
                {
                    // mixed
                    files = new string[fileCount];
                    for (int i = 0; i < fileCount; i++)
                    {
                        if (_rnd.Next(3) == 0)
                            files[i] = CreateZeroLengthFile(i, dirToZip);
                        else
                        {
                            files[i] = Path.Combine(dirToZip, String.Format("nonzero{0:D4}.txt", i));
                            TestUtilities.CreateAndFillFileText(files[i], _rnd.Next(60000) + 100);
                        }
                    }
                }

                // Create the zip archive via 7z.exe
                this.Exec(sevenZip, String.Format("a \"{0}\" \"{1}\"", zipFileToCreate, dirToZip));

                // Verify the number of files in the zip
                Assert.AreEqual<int>(TestUtilities.CountEntries(zipFileToCreate), files.Length,
                                     "Incorrect number of entries in the zip file.");

                // extract the files
                string extractDir = String.Format("extract{0:D2}", m);
                byte[] buffer = new byte[2048];
                int n;
                using (var raw = File.OpenRead(zipFileToCreate))
                {
                    using (var input = new ZipInputStream(raw))
                    {
                        ZipEntry e;
                        while ((e = input.GetNextEntry()) != null)
                        {
                            TestContext.WriteLine("entry: {0}", e.FileName);
                            string outputPath = Path.Combine(extractDir, e.FileName);
                            if (e.IsDirectory)
                            {
                                // create the directory
                                Directory.CreateDirectory(outputPath);
                            }
                            else
                            {
                                // create the file
                                using (var output = File.Create(outputPath))
                                {
                                    while ((n = input.Read(buffer, 0, buffer.Length)) > 0)
                                    {
                                        output.Write(buffer, 0, n);
                                    }
                                }
                            }

                            // we don't set the timestamps or attributes
                            // on the file/directory.
                        }
                    }
                }

                // winzip does not include the base path in the filename;
                // 7zip does.
                string[] filesUnzipped = Directory.GetFiles(Path.Combine(extractDir, dirToZip));

                // Verify the number of files extracted
                Assert.AreEqual<int>(files.Length, filesUnzipped.Length,
                                     "Incorrect number of files extracted.");
            }
        }
Esempio n. 12
0
        /// <summary>
        /// Downloads the data for the specified show and returns the path to the file.
        /// </summary>
        /// <param name="show">
        /// The show to download data for. 
        /// </param>
        /// <returns>
        /// The path to the downloaded file. 
        /// </returns>
        public static string DownloadShowEpisodes(TvShow show)
        {
            for (int i = 0; i < RetryCount; i++)
            {
                try
                {
                    var webClient = new WebClient();
                    string showAddress = Mirror + ApiLoc + "/series/" + show.TvdbId + "/all/en.zip";
                    string savePath = Tvdb.CacheDirectory + show.TvdbId + ".xml";

                    if (!Directory.Exists(Tvdb.CacheDirectory))
                    {
                        Directory.CreateDirectory(Tvdb.CacheDirectory);
                    }

                    if (File.Exists(savePath))
                    {
                        File.Delete(savePath);
                    }

                    webClient.DownloadFile(showAddress, savePath + ".zip");

                    // Download the zip file to a zip stream
                    using (var stream = new ZipInputStream(savePath + ".zip"))
                    {
                        ZipEntry e;
                        var buffer = new byte[2048];

                        // Loop through all the entries looking for en.xml.
                        while ((e = stream.GetNextEntry()) != null)
                        {
                            if (!e.FileName.Equals("en.xml"))
                            {
                                while (stream.Read(buffer, 0, buffer.Length) > 0)
                                {
                                }
                            }

                            // Write the file to savePath.
                            using (var output = File.Open(savePath, FileMode.Create, FileAccess.ReadWrite))
                            {
                                int n;
                                while ((n = stream.Read(buffer, 0, buffer.Length)) > 0)
                                {
                                    output.Write(buffer, 0, n);
                                }
                            }

                            break;
                        }
                    }

                    return savePath;
                }
                catch (WebException)
                {
                    // Suppress any exceptions so the download can be retried.
                }
            }

            throw new Exception("Unable to download show data for " + show.Name);
        }
        protected override HeaderData[] GetList()
        {
            List<HeaderData> items = new List<HeaderData>(40);

            Dictionary<string, int> directories = new Dictionary<string, int>(10);
            
            using (ZipInputStream stream = new ZipInputStream(this.Path))
            {
                while (true)
                {
                    var item = stream.GetNextEntry();
                    if (item == null)
                    {
                        break;
                    }

                    HeaderData data = new HeaderData { ArcName = this.Path, FileName = item.FileName };
                    if (!item.IsDirectory)
                    {
                        string directory = System.IO.Path.GetDirectoryName(item.FileName);
                        if (!string.IsNullOrEmpty(directory) && !directories.ContainsKey(directory))
                        {
                            foreach (var sub in GetSubDirectories(directory))
                            {
                                if (!directories.ContainsKey(sub))
                                {
                                    directories.Add(sub, 0);
                                    items.Add(new HeaderData {ArcName = this.Path, FileName = directory, FileAttr = FileAttributes.Directory});
                                }
                            }                            
                        }
                    }
                    else
                    {
                        if (!directories.ContainsKey(item.FileName))
                        {
                            directories.Add(item.FileName, 0);
                        }
                    }
                    data.FileAttr = item.Attributes;
                    data.UnpSize = (int)item.UncompressedSize;
                    data.PackSize = (int)item.CompressedSize;

                    items.Add(data);
                }
            }


            /*using(ZipFile zip = new ZipFile(this.Path))
            {
                foreach(var item in zip.Entries)
                {
                    HeaderData data = new HeaderData { ArcName = this.Path, FileName = item.FileName };
                    if (item.IsDirectory)
                    {
                        data.FileAttr = FileAttributes.Directory;                        
                    }
                    data.UnpSize = (int)item.UncompressedSize;
                    data.PackSize = (int)item.CompressedSize;

                    items.Add(data);
                }
            }*/

            return items.ToArray();
        }
Esempio n. 14
0
        public Dump LoadSearchDump(string filepath)
        {
            // spin while background writing to prevent us from reading a file that has yet to be written
            while (BackgroundWriting) ;

            ZipInputStream instream = new ZipInputStream(filepath);
            BinaryFormatter formatter = new BinaryFormatter();

            // First entry is the dump
            instream.GetNextEntry();
            Dump searchDump = new Dump((uint)formatter.Deserialize(instream), (uint)formatter.Deserialize(instream));
            instream.Read(searchDump.mem, 0, (int)(searchDump.EndAddress - searchDump.StartAddress));

            instream.Close();
            instream.Dispose();

            return searchDump;
        }
Esempio n. 15
0
        public void ZIS_ZOS_VaryCompression()
        {
            string resourceDir = Path.Combine(SourceDir, TestUtilities.GetBinDir("Zip.Portable.Tests"), "Resources");
            var filesToAdd = Directory.GetFiles(resourceDir);

            Func<int, int, bool> chooseCompression = (ix, cycle) => {
                var name = Path.GetFileName(filesToAdd[ix]);
                switch (cycle)
                {
                    case 0:
                        return !(name.EndsWith(".zip") ||
                                 name.EndsWith(".docx") ||
                                 name.EndsWith(".xslx"));
                    case 1:
                        return ((ix%2)==0);

                    default:
                        return (ix == filesToAdd.Length - 1);
                }
            };

            // Three cycles - three different ways to vary compression
            for (int k=0; k < 3; k++)
            {
                string zipFileToCreate = String.Format("VaryCompression-{0}.zip", k);

                TestContext.WriteLine("");
                TestContext.WriteLine("Creating zip, cycle {0}", k);
                using (var fileStream = File.OpenWrite(zipFileToCreate))
                {
                    using (var zos = new ZipOutputStream(fileStream, true))
                    {
                        for (int i=0; i < filesToAdd.Length; i++)
                        {
                            var file = filesToAdd[i];
                            var shortName = Path.GetFileName(file);
                            bool compress = chooseCompression(i, k);

                            if (compress)
                                zos.CompressionLevel = Ionic.Zlib.CompressionLevel.Default;
                            else
                                zos.CompressionLevel = Ionic.Zlib.CompressionLevel.None;

                            zos.PutNextEntry(shortName);
                            using (var input = File.OpenRead(file))
                            {
                                CopyStream(input, zos);
                            }
                        }
                    }
                }

                TestContext.WriteLine("");
                TestContext.WriteLine("Extracting cycle {0}", k);
                string extractDir = "extract-" + k;
                Directory.CreateDirectory(extractDir);
                using (var raw = File.OpenRead(zipFileToCreate))
                {
                    using (var input = new ZipInputStream(raw))
                    {
                        ZipEntry e;
                        while ((e = input.GetNextEntry()) != null)
                        {
                            TestContext.WriteLine("entry: {0}", e.FileName);
                            string outputPath = Path.Combine(extractDir, e.FileName);
                            if (e.IsDirectory)
                            {
                                // create the directory
                                Directory.CreateDirectory(outputPath);
                            }
                            else
                            {
                                // create the file
                                using (var output = File.Create(outputPath))
                                {
                                    CopyStream(input,output);
                                }
                            }
                        }
                    }
                }

                string[] filesUnzipped = Directory.GetFiles(extractDir);
                Assert.AreEqual<int>(filesToAdd.Length, filesUnzipped.Length,
                                     "Incorrect number of files extracted.");

            }
        }
Esempio n. 16
0
 /// 
 /// <param name="in"></param>
 /// <param name="defaultHtmlEncoding"></param>
 private Resources readResources(ZipInputStream zipInputStream, String defaultHtmlEncoding)
 {
     Resources result = new Resources();
     for (ZipEntry zipEntry = zipInputStream.GetNextEntry(); zipEntry != null; zipEntry = zipInputStream.GetNextEntry())
     {
         if (zipEntry.IsDirectory)
         {
             continue;
         }
         Resource resource = ResourceUtil.createResource(zipEntry, zipInputStream);
         if (resource.getMediaType() == MediatypeService.XHTML)
         {
             resource.setInputEncoding(defaultHtmlEncoding);
         }
         result.add(resource);
     }
     return result;
 }
        void parse()
        {
            using (var stream = System.IO.File.OpenRead(Name.GetPath()))
            {
                var input = new ZipInputStream(stream);

                ZipEntry entry;
                while ((entry = input.GetNextEntry()) != null)
                {
                    Trace.WriteLine("Reading Entry: " + entry.FileName);
                    if (entry.IsDirectory)
                    {
                        parseDirectory(input, entry);
                    }
                    else
                    {
                        parseFile(input, entry);
                    }

                }
            }
            _parse = () => { };
        }
        private void ExtractZipBall(string zipFileToExtract, string destinationDirectory)
        {
            //Clean up the existing repository
            if (Directory.Exists(destinationDirectory))
            {
                DirectoryInfo directory = new DirectoryInfo(destinationDirectory);
                foreach (FileInfo file in directory.GetFiles()) file.Delete();
                foreach (System.IO.DirectoryInfo subDirectory in directory.GetDirectories()) subDirectory.Delete(true);
            }
            else
            {
                Directory.CreateDirectory(destinationDirectory);
            }

            //using (var zipFile = ZipFile.Read(zipFileToExtract))
            //{
            //    zipFile.ExtractAll(destinationDirectory, ExtractExistingFileAction.OverwriteSilently);
            //}

            using (ZipInputStream zipStream = new ZipInputStream(zipFileToExtract))
            {
                string zipRootDirectoryName = string.Empty;
                ZipEntry zipEntry = zipStream.GetNextEntry();
                if (zipEntry == null)
                {
                    return;
                }
                else
                {
                    if (zipEntry.IsDirectory)
                    {
                        zipRootDirectoryName = zipEntry.FileName;
                    }
                }

                while ((zipEntry = zipStream.GetNextEntry()) != null)
                {
                    string zipEntryPath = zipEntry.FileName;
                    if (!string.IsNullOrEmpty(zipRootDirectoryName))
                    {
                        zipEntryPath = zipEntryPath.Replace(zipRootDirectoryName, string.Empty);
                    }

                    if (zipEntry.IsDirectory)
                    {
                        Directory.CreateDirectory(Path.Combine(destinationDirectory, zipEntryPath));
                        continue;
                    }

                    string filename = Path.Combine(destinationDirectory, zipEntryPath);
                    using (var fileStream = File.OpenWrite(filename))
                    {
                        CopyStream(zipStream, fileStream);
                    }
                }
            }
        }
Esempio n. 19
0
        private bool ReadEntries(ZipInputStream input)
        {
            ZipEntry e;

            try
            {
                while ((e = input.GetNextEntry()) != null)
                {
                    if (e.IsDirectory) continue;
                }
            }
            catch
            {
                return false;
            }

            return true;
        }
Esempio n. 20
0
        internal ZipPackage(Stream stream)
        {
            bool hasContentTypeXml = false;
            if (stream == null || stream.Length == 0)
            {
                AddNew();
            }
            else
            {
                var rels = new Dictionary<string, string>();
                stream.Seek(0, SeekOrigin.Begin);                
                using (ZipInputStream zip = new ZipInputStream(stream))
                {
                    var e = zip.GetNextEntry();
                    while (e != null)
                    {
                        if (e.UncompressedSize > 0)
                        {
                            var b = new byte[e.UncompressedSize];
                            var size = zip.Read(b, 0, (int)e.UncompressedSize);
                            if (e.FileName.Equals("[content_types].xml", StringComparison.InvariantCultureIgnoreCase))
                            {
                                AddContentTypes(Encoding.UTF8.GetString(b));
                                hasContentTypeXml = true;
                            }
                            else if (e.FileName.Equals("_rels/.rels", StringComparison.InvariantCultureIgnoreCase)) 
                            {
                                ReadRelation(Encoding.UTF8.GetString(b), "");
                            }
                            else
                            {
                                if (e.FileName.EndsWith(".rels", StringComparison.InvariantCultureIgnoreCase))
                                {
                                    rels.Add(GetUriKey(e.FileName), Encoding.UTF8.GetString(b));
                                }
                                else
                                {
                                    var part = new ZipPackagePart(this, e);
                                    part.Stream = new MemoryStream();
                                    part.Stream.Write(b, 0, b.Length);
                                    Parts.Add(GetUriKey(e.FileName), part);
                                }
                            }
                        }
                        else
                        {
                        }
                        e = zip.GetNextEntry();
                    }

                    foreach (var p in Parts)
                    {
                        string name = Path.GetFileName(p.Key);
                        string extension = Path.GetExtension(p.Key);
                        string relFile = string.Format("{0}_rels/{1}.rels", p.Key.Substring(0, p.Key.Length - name.Length), name);
                        if (rels.ContainsKey(relFile))
                        {
                            p.Value.ReadRelation(rels[relFile], p.Value.Uri.OriginalString);
                        }
                        if (_contentTypes.ContainsKey(p.Key))
                        {
                            p.Value.ContentType = _contentTypes[p.Key].Name;
                        }
                        else if (extension.Length > 1 && _contentTypes.ContainsKey(extension.Substring(1)))
                        {
                            p.Value.ContentType = _contentTypes[extension.Substring(1)].Name;
                        }
                    }
                    if (!hasContentTypeXml)
                    {
                        throw (new InvalidDataException("The file is not an valid Package file. If the file is encrypted, please supply the password in the constructor."));
                    }
                    if (!hasContentTypeXml)
                    {
                        throw (new InvalidDataException("The file is not an valid Package file. If the file is encrypted, please supply the password in the constructor."));
                    }
                    zip.Close();
                }
            }
        }
Esempio n. 21
0
        public void UnpackFiles(Stream strm, Callbacks callbacks)
        {
            ZipEntry ze;
            ZipInputStream zstrm = new ZipInputStream(strm, true);
            List<FileEntry> results = new List<FileEntry>();

            SetupZIPParams();
            while (true)
            {
                ze = zstrm.GetNextEntry();
                if (ze == null)
                    break;

                if (ze.IsDirectory)
                    continue;

                byte[] data = new byte[ze.UncompressedSize];
                zstrm.Read(data, 0, (int)ze.UncompressedSize);
                callbacks.WriteData(ze.FileName, data);
            };
        }
Esempio n. 22
0
        void Parse()
        {
            using (var stream = System.IO.File.OpenRead(Name.GetPath()))
            {
                var input = new ZipInputStream(stream);

                ZipEntry entry;
                while ((entry = input.GetNextEntry()) != null)
                {
                    Trace.WriteLine("Reading Entry: " + entry.FileName);
                    var name = entry.FileName.Split('/');

                    if (name.Length == 1) // a file
                    {
                        byte[] data = input.ReadToEnd();
                        Trace.WriteLine("Read: " + data.Length + " bytes");
                        var fn = FileName.GetFileName(this.Name, name[0]);
                        _files.Add(name[0], new ZippedFile(fn, data));
                    }
                    else
                    {
                        var first = name.First();
                        var parent = new ZippedDirectory(DirectoryName.GetDirectoryName(this.Name, first), this);
                        _directories.Add(first, parent);
                        var rest = name.Skip(1).Take(name.Length - 2);
                        var queue = new Queue<string>(rest);

                        foreach (var item in queue)
                        {
                            var dir = new ZippedDirectory(DirectoryName.GetDirectoryName(parent.Name, item), parent);
                            parent = dir;
                        }
                        var file = name.Last();

                        byte[] data = input.ReadToEnd();
                        Trace.WriteLine("Read: " + data.Length + " bytes");
                        //neds to be added
                        var zipfile = new ZippedFile(FileName.GetFileName(parent.Name, file), data);
                        parent.AddFile(file, zipfile);
                    }
                }
            }
            _parse = () => { };
        }
Esempio n. 23
0
        public List<UInt32> LoadSearchList(string filepath)
        {
            // spin while background writing to prevent us from reading a file that has yet to be written
            while (BackgroundWriting) ;

            ZipInputStream instream = new ZipInputStream(filepath);
            BinaryFormatter formatter = new BinaryFormatter();

            // First entry is the dump
            instream.GetNextEntry();

            // Second entry is the list
            instream.GetNextEntry();

            List<UInt32> searchList = (List<UInt32>)formatter.Deserialize(instream);

            instream.Close();
            instream.Dispose();
        
            return searchList;
        }
Esempio n. 24
-1
 private void SetupW3Example()
 {
     Stream input = GetType().Assembly.GetManifestResourceStream(GetType().Namespace + ".w3example.zip");
     using(ZipInputStream z = new ZipInputStream(input))
     {
         ZipEntry e;
         while (null != (e = z.GetNextEntry()))
         {
             if (e.IsDirectory) continue;
             string output = Path.Combine(W3ExampleDirectory, e.FileName);
             Directory.CreateDirectory(Path.GetDirectoryName(output));
             File.WriteAllBytes(output, IOStream.Read(z, (int)e.UncompressedSize));
         }
     }
 }