Browse Source

iSCSI Console v1.2.4

Tal Aloni 8 years ago
parent
commit
94bef6a362

+ 3 - 2
DiskAccessLibrary/DiskAccessLibrary.csproj

@@ -59,11 +59,12 @@
     <Compile Include="Disks\VMDK\VirtualMachineDiskType.cs" />
     <Compile Include="Exceptions\DeviceNotReadyException.cs" />
     <Compile Include="FileSystems\FileSystemHelper.cs" />
-    <Compile Include="FileSystems\IDiskFileSystem.cs" />
+    <Compile Include="FileSystems\IExtendableFileSystem.cs" />
     <Compile Include="FileSystems\NTFS\AttributeRecord\FileNameAttributeRecord.cs" />
     <Compile Include="FileSystems\NTFS\AttributeRecord\StandardInformationRecord.cs" />
     <Compile Include="FileSystems\NTFS\Enums\FilenameNamespace.cs" />
-    <Compile Include="FileSystems\NTFS\NTFSFileStream.cs" />
+    <Compile Include="FileSystems\NTFS\Adapters\NTFSFileStream.cs" />
+    <Compile Include="FileSystems\NTFS\Adapters\NTFSFileSystem.cs" />
     <Compile Include="Helpers\MoveHelper.cs" />
     <Compile Include="LogicalDiskManagerHelpers\RetainHelper.cs" />
     <Compile Include="LogicalDiskManager\Exceptions\DatabaseNotFoundException.cs" />

+ 4 - 4
DiskAccessLibrary/FileSystems/FileSystemHelper.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -16,10 +16,10 @@ namespace DiskAccessLibrary.FileSystems
     {
         public static FileSystem ReadFileSystem(Volume volume)
         {
-            NTFSVolume ntfsVolume = new NTFSVolume(volume);
-            if (ntfsVolume.IsValidAndSupported)
+            NTFSFileSystem ntfs = new NTFSFileSystem(volume);
+            if (ntfs.IsValidAndSupported)
             {
-                return ntfsVolume;
+                return ntfs;
             }
             return null;
         }

+ 2 - 2
DiskAccessLibrary/FileSystems/IDiskFileSystem.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -11,7 +11,7 @@ using Utilities;
 
 namespace DiskAccessLibrary.FileSystems
 {
-    public interface IDiskFileSystem : IFileSystem
+    public interface IExtendableFileSystem
     {
         /// <returns>In bytes</returns>
         long GetMaximumSizeToExtend();

+ 1 - 1
DiskAccessLibrary/FileSystems/NTFS/NTFSFileStream.cs

@@ -13,7 +13,7 @@ using Utilities;
 namespace DiskAccessLibrary.FileSystems.NTFS
 {
     /// <summary>
-    /// A Stream Wrapper for NTFSFile
+    /// A Stream wrapper for NTFSFile
     /// </summary>
     public class NTFSFileStream : Stream
     {

+ 212 - 0
DiskAccessLibrary/FileSystems/NTFS/Adapters/NTFSFileSystem.cs

@@ -0,0 +1,212 @@
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+ * 
+ * You can redistribute this program and/or modify it under the terms of
+ * the GNU Lesser Public License as published by the Free Software Foundation,
+ * either version 3 of the License, or (at your option) any later version.
+ */
+using System;
+using System.Collections.Generic;
+using System.IO;
+using DiskAccessLibrary;
+using Utilities;
+
+namespace DiskAccessLibrary.FileSystems.NTFS
+{
+    /// <summary>
+    /// Adapter providing FileSystem implementation for NTFS (using NTFSVolume).
+    /// </summary>
+    public class NTFSFileSystem : FileSystem, IExtendableFileSystem
+    {
+        NTFSVolume m_volume;
+
+        public NTFSFileSystem(Volume volume)
+        {
+            m_volume = new NTFSVolume(volume);
+        }
+
+        public NTFSFileSystem(NTFSVolume volume)
+        {
+            m_volume = volume;
+        }
+
+        public override FileSystemEntry GetEntry(string path)
+        {
+            FileRecord record = m_volume.GetFileRecord(path);
+            if (record != null)
+            {
+                return ToFileSystemEntry(path, record);
+            }
+            else
+            {
+                return null;
+            }
+        }
+
+        public override FileSystemEntry CreateFile(string path)
+        {
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public override FileSystemEntry CreateDirectory(string path)
+        {
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public override void Move(string source, string destination)
+        {
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public override void Delete(string path)
+        {
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public override List<FileSystemEntry> ListEntriesInDirectory(string path)
+        {
+            FileRecord directoryRecord = m_volume.GetFileRecord(path);
+            if (directoryRecord != null && directoryRecord.IsDirectory)
+            {
+                List<FileRecord> records = m_volume.GetFileRecordsInDirectory(directoryRecord.MftSegmentNumber);
+                List<FileSystemEntry> result = new List<FileSystemEntry>();
+
+                path = FileSystem.GetDirectoryPath(path);
+
+                foreach (FileRecord record in records)
+                {
+                    string fullPath = path + record.FileName;
+                    FileSystemEntry entry = ToFileSystemEntry(fullPath, record);
+                    result.Add(entry);
+                }
+                return result;
+            }
+            else
+            {
+                return null;
+            }
+        }
+
+        public override Stream OpenFile(string path, FileMode mode, FileAccess access, FileShare share)
+        {
+            if (mode == FileMode.Open || mode == FileMode.Truncate)
+            {
+                FileRecord record = m_volume.GetFileRecord(path);
+                if (record != null && !record.IsDirectory)
+                {
+                    NTFSFile file = new NTFSFile(m_volume, record);
+                    NTFSFileStream stream = new NTFSFileStream(file);
+
+                    if (mode == FileMode.Truncate)
+                    {
+                        stream.SetLength(0);
+                    }
+                    return stream;
+                }
+                else
+                {
+                    throw new FileNotFoundException();
+                }
+            }
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public override void SetAttributes(string path, bool? isHidden, bool? isReadonly, bool? isArchived)
+        {
+            FileRecord record = m_volume.GetFileRecord(path);
+            if (isHidden.HasValue)
+            {
+                if (isHidden.Value)
+                {
+                    record.StandardInformation.FileAttributes |= FileAttributes.Hidden;
+                }
+                else
+                {
+                    record.StandardInformation.FileAttributes &= ~FileAttributes.Hidden;
+                }
+            }
+
+            if (isReadonly.HasValue)
+            {
+                if (isReadonly.Value)
+                {
+                    record.StandardInformation.FileAttributes |= FileAttributes.Readonly;
+                }
+                else
+                {
+                    record.StandardInformation.FileAttributes &= ~FileAttributes.Readonly;
+                }
+            }
+
+            if (isArchived.HasValue)
+            {
+                if (isArchived.Value)
+                {
+                    record.StandardInformation.FileAttributes |= FileAttributes.Archive;
+                }
+                else
+                {
+                    record.StandardInformation.FileAttributes &= ~FileAttributes.Archive;
+                }
+            }
+
+            m_volume.MasterFileTable.UpdateFileRecord(record);
+        }
+
+        public override void SetDates(string path, DateTime? creationDT, DateTime? lastWriteDT, DateTime? lastAccessDT)
+        {
+            throw new Exception("The method or operation is not implemented.");
+        }
+
+        public long GetMaximumSizeToExtend()
+        {
+            return m_volume.GetMaximumSizeToExtend();
+        }
+
+        public void Extend(long additionalNumberOfSectors)
+        {
+            m_volume.Extend(additionalNumberOfSectors);
+        }
+
+        public override string Name
+        {
+            get
+            {
+                return "NTFS";
+            }
+        }
+
+        public override long Size
+        {
+            get
+            {
+                return m_volume.Size;
+            }
+        }
+
+        public override long FreeSpace
+        {
+            get
+            {
+                return m_volume.FreeSpace;
+            }
+        }
+
+        public bool IsValidAndSupported
+        {
+            get
+            {
+                return m_volume.IsValidAndSupported;
+            }
+        }
+
+        public static FileSystemEntry ToFileSystemEntry(string path, FileRecord record)
+        {
+            ulong size = record.IsDirectory ? 0 : record.DataRecord.DataRealSize;
+            FileAttributes attributes = record.StandardInformation.FileAttributes;
+            bool isHidden = (attributes & FileAttributes.Hidden) > 0;
+            bool isReadonly = (attributes & FileAttributes.Readonly) > 0;
+            bool isArchived = (attributes & FileAttributes.Archive) > 0;
+            return new FileSystemEntry(path, record.FileName, record.IsDirectory, size, record.FileNameRecord.CreationTime, record.FileNameRecord.ModificationTime, record.FileNameRecord.LastAccessTime, isHidden, isReadonly, isArchived);
+        }
+    }
+}

+ 22 - 6
DiskAccessLibrary/FileSystems/NTFS/AttributeRecord/DataRecord.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -34,14 +34,27 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
             else
             {
-                if (clusterVCN == 0)
+                long numberOfClusters = (long)Math.Ceiling((double)((ResidentAttributeRecord)m_record).Data.Length / volume.BytesPerCluster);
+                long highestVCN = Math.Max(numberOfClusters - 1, 0);
+                if (clusterVCN < 0 || clusterVCN > highestVCN)
                 {
-                    return ((ResidentAttributeRecord)m_record).Data;
+                    throw new ArgumentOutOfRangeException("Cluster VCN is not within the valid range");
+                }
+
+                long offset = clusterVCN * volume.BytesPerCluster;
+                int bytesToRead;
+                // last cluster could be partial
+                if (clusterVCN + count < numberOfClusters)
+                {
+                    bytesToRead = count * volume.BytesPerCluster;   
                 }
                 else
                 {
-                    throw new ArgumentException("Invalid clusterVCN for resident attribute record");
+                    bytesToRead = (int)(((ResidentAttributeRecord)m_record).Data.Length - offset);
                 }
+                byte[] data = new byte[bytesToRead];
+                Array.Copy(((ResidentAttributeRecord)m_record).Data, offset, data, 0, bytesToRead);
+                return data;
             }
         }
 
@@ -58,7 +71,10 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
             else
             {
-                if (clusterVCN > data.Length / volume.BytesPerCluster)
+                int numberOfClusters = (int)Math.Ceiling((double)((ResidentAttributeRecord)m_record).Data.Length / volume.BytesPerCluster);
+                int count = (int)Math.Ceiling((double)data.Length / volume.BytesPerCluster);
+                long highestVCN = Math.Max(numberOfClusters - 1, 0);
+                if (clusterVCN < 0 || clusterVCN > highestVCN)
                 {
                     throw new ArgumentOutOfRangeException("Cluster VCN is not within the valid range");
                 }
@@ -77,7 +93,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
             else
             {
-                // If the resident data record becomes too long, than it will be replaced with a non-resident data record when the file record will be saved
+                // If the resident data record becomes too long, it will be replaced with a non-resident data record when the file record will be saved
                 byte[] data = ((ResidentAttributeRecord)m_record).Data;
                 int currentLength = data.Length;
                 byte[] temp = new byte[currentLength + (int)additionalLength];

+ 1 - 11
DiskAccessLibrary/FileSystems/NTFS/NTFSBootRecord.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -126,16 +126,6 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
         }
 
-        [Obsolete]
-        public int FileRecordClusterSpan // The number of clusters needed to read for a complete record
-        {
-            get
-            {
-                int clusterSpanCount = (int)Math.Ceiling((double)this.FileRecordSegmentLength / (BytesPerSector * SectorsPerCluster));
-                return clusterSpanCount;
-            }
-        }
-
         /// <summary>
         /// File record segment length is a multiple of BytesPerSector
         /// </summary>

+ 7 - 1
DiskAccessLibrary/FileSystems/NTFS/NTFSFile.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -22,6 +22,12 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             m_fileRecord = m_volume.MasterFileTable.GetFileRecord(baseSegmentNumber);
         }
 
+        public NTFSFile(NTFSVolume volume, FileRecord fileRecord)
+        {
+            m_volume = volume;
+            m_fileRecord = fileRecord;
+        }
+
         public byte[] ReadFromFile(ulong offset, int length)
         {
             long clusterVCN = (long)offset / m_volume.BytesPerCluster;

+ 2 - 2
DiskAccessLibrary/FileSystems/NTFS/NTFSVolume.Extend.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -11,7 +11,7 @@ using Utilities;
 
 namespace DiskAccessLibrary.FileSystems.NTFS
 {
-    public partial class NTFSVolume : FileSystem, IDiskFileSystem
+    public partial class NTFSVolume : IExtendableFileSystem
     {
         public long GetMaximumSizeToExtend()
         {

+ 38 - 288
DiskAccessLibrary/FileSystems/NTFS/NTFSVolume.cs

@@ -1,4 +1,4 @@
-/* Copyright (C) 2014 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
+/* Copyright (C) 2014-2016 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  * 
  * You can redistribute this program and/or modify it under the terms of
  * the GNU Lesser Public License as published by the Free Software Foundation,
@@ -13,7 +13,12 @@ using Utilities;
 
 namespace DiskAccessLibrary.FileSystems.NTFS
 {
-    public partial class NTFSVolume : FileSystem, IDiskFileSystem
+    /// <summary>
+    /// Implements the low level NTFS volume logic.
+    /// This class can be used by higher level implementation that may include
+    /// functions such as file copy, caching, symbolic links and etc.
+    /// </summary>
+    public partial class NTFSVolume : IExtendableFileSystem
     {
         private Volume m_volume;
         private MasterFileTable m_mft;
@@ -55,9 +60,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
                 return m_mft.GetFileRecord(MasterFileTable.RootDirSegmentNumber);
             }
 
-            path = path.Substring(1);
-
-            string[] components = path.Split('\\');
+            string[] components = path.Substring(1).Split('\\');
             long directorySegmentNumber = MasterFileTable.RootDirSegmentNumber;
             for (int index = 0; index < components.Length; index++)
             {
@@ -76,21 +79,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
                 }
                 else // last component
                 {
-                    foreach (KeyValuePair<MftSegmentReference, FileNameRecord> record in records)
-                    {
-                        if (String.Equals(record.Value.FileName, components[index], StringComparison.InvariantCultureIgnoreCase))
-                        {
-                            FileRecord fileRecord = m_mft.GetFileRecord(record.Key);
-                            if (!fileRecord.IsMetaFile)
-                            {
-                                return fileRecord;
-                            }
-                            else
-                            {
-                                return null;
-                            }
-                        }
-                    }
+                    return FindRecord(records, components[index]);
                 }
             }
 
@@ -99,29 +88,21 @@ namespace DiskAccessLibrary.FileSystems.NTFS
 
         private FileRecord FindDirectoryRecord(KeyValuePairList<MftSegmentReference, FileNameRecord> records, string directoryName)
         {
-            foreach (KeyValuePair<MftSegmentReference, FileNameRecord> record in records)
+            FileRecord directoryRecord = FindRecord(records, directoryName);
+            if (directoryRecord.IsDirectory)
             {
-                if (String.Equals(record.Value.FileName, directoryName, StringComparison.InvariantCultureIgnoreCase))
-                {
-                    FileRecord directoryRecord = m_mft.GetFileRecord(record.Key);
-                    if (directoryRecord.IsDirectory && !directoryRecord.IsMetaFile)
-                    {
-                        return directoryRecord;
-                    }
-                    else
-                    {
-                        return null;
-                    }
-                }
+                return directoryRecord;
             }
             return null;
         }
 
-        private FileRecord FindDirectoryRecord(List<FileRecord> records, string directoryName)
+        private FileRecord FindRecord(KeyValuePairList<MftSegmentReference, FileNameRecord> records, string name)
         {
-            foreach (FileRecord record in records)
+            KeyValuePair<MftSegmentReference, FileNameRecord>? nameRecord = FindFileNameRecord(records, name);
+            if (nameRecord != null)
             {
-                if (record.IsDirectory && String.Equals(record.FileName, directoryName, StringComparison.InvariantCultureIgnoreCase))
+                FileRecord record = m_mft.GetFileRecord(nameRecord.Value.Key);
+                if (record.IsInUse && !record.IsMetaFile)
                 {
                     return record;
                 }
@@ -129,45 +110,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             return null;
         }
 
-        public override FileSystemEntry GetEntry(string path)
-        {
-            FileRecord record = GetFileRecord(path);
-            if (record != null)
-            {
-                ulong size = record.IsDirectory ? 0 : record.DataRecord.DataRealSize;
-                FileAttributes attributes = record.StandardInformation.FileAttributes;
-                bool isHidden = (attributes & FileAttributes.Hidden) > 0;
-                bool isReadonly = (attributes & FileAttributes.Readonly) > 0;
-                bool isArchived = (attributes & FileAttributes.Archive) > 0;
-                return new FileSystemEntry(path, record.FileName, record.IsDirectory, size, record.FileNameRecord.CreationTime, record.FileNameRecord.ModificationTime, record.FileNameRecord.LastAccessTime, isHidden, isReadonly, isArchived);
-            }
-            else
-            {
-                return null;
-            }
-        }
-
-        public override FileSystemEntry CreateFile(string path)
-        {
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        public override FileSystemEntry CreateDirectory(string path)
-        {
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        public override void Move(string source, string destination)
-        {
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        public override void Delete(string path)
-        {
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        public KeyValuePairList<MftSegmentReference, FileNameRecord> GetFileNameRecordsInDirectory(long directoryBaseSegmentNumber)
+        private KeyValuePairList<MftSegmentReference, FileNameRecord> GetFileNameRecordsInDirectory(long directoryBaseSegmentNumber)
         {
             FileRecord record = m_mft.GetFileRecord(directoryBaseSegmentNumber);
             KeyValuePairList<MftSegmentReference, FileNameRecord> result = null;
@@ -204,7 +147,12 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             return result;
         }
 
-        public List<FileRecord> GetFileRecordsInDirectory(long directoryBaseSegmentNumber, bool includeMetaFiles)
+        public List<FileRecord> GetFileRecordsInDirectory(long directoryBaseSegmentNumber)
+        {
+            return GetFileRecordsInDirectory(directoryBaseSegmentNumber, false);
+        }
+
+        private List<FileRecord> GetFileRecordsInDirectory(long directoryBaseSegmentNumber, bool includeMetaFiles)
         {
             KeyValuePairList<MftSegmentReference, FileNameRecord> entries = GetFileNameRecordsInDirectory(directoryBaseSegmentNumber);
             List<FileRecord> result = new List<FileRecord>();
@@ -227,200 +175,6 @@ namespace DiskAccessLibrary.FileSystems.NTFS
 
             return result;
         }
-        
-        public override List<FileSystemEntry> ListEntriesInDirectory(string path)
-        {
-            FileRecord directoryRecord = GetFileRecord(path);
-            if (directoryRecord != null && directoryRecord.IsDirectory)
-            {
-                long directoryBaseSegmentNumber = directoryRecord.MftSegmentNumber;
-                List<FileRecord> records = GetFileRecordsInDirectory(directoryBaseSegmentNumber, false);
-                List<FileSystemEntry> result = new List<FileSystemEntry>();
-
-                if (!path.EndsWith(@"\"))
-                {
-                    path = path + @"\";
-                }
-
-                foreach (FileRecord record in records)
-                {
-                    string fullPath = path + record.FileName;
-                    ulong size = record.IsDirectory ? 0 : record.DataRecord.DataRealSize;
-                    FileAttributes attributes = record.StandardInformation.FileAttributes;
-                    bool isHidden = (attributes & FileAttributes.Hidden) > 0;
-                    bool isReadonly = (attributes & FileAttributes.Readonly) > 0;
-                    bool isArchived = (attributes & FileAttributes.Archive) > 0;
-                    FileSystemEntry entry = new FileSystemEntry(fullPath, record.FileName, record.IsDirectory, size, record.FileNameRecord.CreationTime, record.FileNameRecord.ModificationTime, record.FileNameRecord.LastAccessTime, isHidden, isReadonly, isArchived);
-                    result.Add(entry);
-                }
-                return result;
-            }
-            else
-            {
-                return null;
-            }
-        }
-
-        public override Stream OpenFile(string path, FileMode mode, FileAccess access, FileShare share)
-        {
-            if (mode == FileMode.Open || mode == FileMode.Truncate)
-            {
-                FileRecord record = GetFileRecord(path);
-                if (record != null && !record.IsDirectory)
-                {
-                    NTFSFile file = new NTFSFile(this, record.MftSegmentNumber);
-                    NTFSFileStream stream = new NTFSFileStream(file);
-
-                    if (mode == FileMode.Truncate)
-                    {
-                        stream.SetLength(0);
-                    }
-                    return stream;
-                }
-                else
-                {
-                    throw new FileNotFoundException();
-                }
-            }
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        public override void SetAttributes(string path, bool? isHidden, bool? isReadonly, bool? isArchived)
-        {
-            FileRecord record = GetFileRecord(path);
-            if (isHidden.HasValue)
-            {
-                if (isHidden.Value)
-                {
-                    record.StandardInformation.FileAttributes |= FileAttributes.Hidden;
-                }
-                else
-                {
-                    record.StandardInformation.FileAttributes &= ~FileAttributes.Hidden;
-                }
-            }
-
-            if (isReadonly.HasValue)
-            {
-                if (isReadonly.Value)
-                {
-                    record.StandardInformation.FileAttributes |= FileAttributes.Readonly;
-                }
-                else
-                {
-                    record.StandardInformation.FileAttributes &= ~FileAttributes.Readonly;
-                }
-            }
-
-            if (isArchived.HasValue)
-            {
-                if (isArchived.Value)
-                {
-                    record.StandardInformation.FileAttributes |= FileAttributes.Archive;
-                }
-                else
-                {
-                    record.StandardInformation.FileAttributes &= ~FileAttributes.Archive;
-                }
-            }
-
-            m_mft.UpdateFileRecord(record);
-        }
-
-        public override void SetDates(string path, DateTime? creationDT, DateTime? lastWriteDT, DateTime? lastAccessDT)
-        {
-            throw new Exception("The method or operation is not implemented.");
-        }
-
-        /*
-        [Obsolete]
-        public object GetParentFolderIdentifier(object folderIdentifier)
-        {
-            return GetSegmentNumberOfParentRecord((long)folderIdentifier);
-        }
-
-        [Obsolete]
-        public void CopyFile(object folderIdentifier, string sourceFileName, string destination)
-        {
-            FileRecord record = GetFileRecordFromDirectory((long)folderIdentifier, sourceFileName);
-            CopyFile(record, destination);
-        }
-
-        [Obsolete]
-        public void ListFilesInDirectorySlow(long directoryBaseSegmentNumber)
-        {
-            long maxNumOfRecords = m_mft.GetMaximumNumberOfSegments();
-
-            for (long index = 0; index < maxNumOfRecords; index++)
-            {
-                FileRecord record = m_mft.GetFileRecord(index);
-                if (record != null)
-                {
-                    if (record.ParentDirMftSegmentNumber == directoryBaseSegmentNumber)
-                    {
-                        if (record.IsInUse && record.MftSegmentNumber > MasterFileTable.LastReservedMftSegmentNumber)
-                        {
-                            Console.WriteLine(record.FileName);
-                        }
-                    }
-                }
-            }
-        }
-        
-        [Obsolete]
-        public FileRecord GetFileRecordFromDirectory(long directoryBaseSegmentNumber, string fileName)
-        {
-            List<FileRecord> records = GetRecordsInDirectory(directoryBaseSegmentNumber, true);
-            foreach(FileRecord record in records)
-            {
-                if (record.FileName.Equals(fileName, StringComparison.InvariantCultureIgnoreCase))
-                {
-                    return record;
-                }
-            }
-
-            return null;
-        }
-
-        [Obsolete]
-        public long GetSegmentNumberOfParentRecord(long baseSegmentNumber)
-        {
-            return m_mft.GetFileRecord(baseSegmentNumber).ParentDirMftSegmentNumber;
-        }
-
-        [Obsolete]
-        public void PrintAllFiles()
-        {
-            long maxNumOfRecords = m_mft.GetMaximumNumberOfSegments();
-
-            for (long index = 0; index < maxNumOfRecords; index++)
-            {
-                FileRecord record = m_mft.GetFileRecord(index);
-                if (record != null)
-                {
-                    Console.WriteLine(record.FileName);
-                }
-            }
-        }
-        
-        [Obsolete]
-        public void CopyFile(FileRecord record, string destination)
-        {
-            if (record.DataRecord != null)
-            {
-                FileStream stream = new FileStream(destination, FileMode.Create, FileAccess.Write);
-
-                int transferSizeInClusters = PhysicalDisk.MaximumDirectTransferSizeLBA / SectorsPerCluster;
-                for(long index = 0; index < record.DataRecord.DataClusterCount; index += transferSizeInClusters)
-                {
-                    long clustersLeft = record.DataRecord.DataClusterCount - index;
-                    int transferSize = (int)Math.Min(transferSizeInClusters, clustersLeft);
-                    byte[] buffer = record.DataRecord.ReadDataClusters(this, index, transferSize);
-                    stream.Write(buffer, 0, buffer.Length);
-                }
-                stream.Close();
-            }
-        }*/
 
         // logical cluster
         public byte[] ReadCluster(long clusterLCN)
@@ -521,22 +275,6 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             return builder.ToString();
         }
 
-        public override string Name
-        {
-            get
-            {
-                return "NTFS";
-            }
-        }
-
-        public long RootFolderIdentifier
-        {
-            get
-            {
-                return MasterFileTable.RootDirSegmentNumber;
-            }
-        }
-
         public bool IsValid
         {
             get
@@ -553,7 +291,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
         }
 
-        public override long Size
+        public long Size
         {
             get
             {
@@ -561,7 +299,7 @@ namespace DiskAccessLibrary.FileSystems.NTFS
             }
         }
 
-        public override long FreeSpace
+        public long FreeSpace
         {
             get
             {
@@ -639,5 +377,17 @@ namespace DiskAccessLibrary.FileSystems.NTFS
         {
             return m_bitmap.AllocateClusters(desiredStartLCN, numberOfClusters);
         }
+
+        private static KeyValuePair<MftSegmentReference, FileNameRecord>? FindFileNameRecord(KeyValuePairList<MftSegmentReference, FileNameRecord> records, string name)
+        {
+            foreach (KeyValuePair<MftSegmentReference, FileNameRecord> record in records)
+            {
+                if (String.Equals(record.Value.FileName, name, StringComparison.InvariantCultureIgnoreCase))
+                {
+                    return record;
+                }
+            }
+            return null;
+        }
     }
 }

+ 3 - 3
DiskAccessLibrary/Properties/AssemblyInfo.cs

@@ -10,7 +10,7 @@ using System.Runtime.InteropServices;
 [assembly: AssemblyConfiguration("")]
 [assembly: AssemblyCompany("Tal Aloni")]
 [assembly: AssemblyProduct("DiskAccessLibrary")]
-[assembly: AssemblyCopyright("Copyright © Tal Aloni 2012")]
+[assembly: AssemblyCopyright("Copyright © Tal Aloni 2012-2016")]
 [assembly: AssemblyTrademark("")]
 [assembly: AssemblyCulture("")]
 
@@ -31,5 +31,5 @@ using System.Runtime.InteropServices;
 //
 // You can specify all the values or you can default the Revision and Build Numbers 
 // by using the '*' as shown below:
-[assembly: AssemblyVersion("1.3.6.0")]
-[assembly: AssemblyFileVersion("1.3.6.0")]
+[assembly: AssemblyVersion("1.3.8.0")]
+[assembly: AssemblyFileVersion("1.3.8.0")]

+ 2 - 0
DiskAccessLibrary/RevisionHistory.txt

@@ -68,3 +68,5 @@ Revision History:
         API to retrieve disk description and serial number.
 
 1.3.7 - Proper handling of disks with no serial number.
+
+1.3.8 - Minor improvements.

+ 1 - 0
ISCSI/ISCSI.csproj

@@ -60,6 +60,7 @@
     <Compile Include="SCSI\Enums\VitalProductDataPageName.cs" />
     <Compile Include="Server\ISCSIServer.cs" />
     <Compile Include="Server\PDUHelper.cs" />
+    <Compile Include="Server\SCSITarget.cs" />
     <Compile Include="Server\SessionParameters.cs" />
     <Compile Include="Server\ISCSITarget.cs" />
     <Compile Include="ISCSITester.cs" />

+ 2 - 2
ISCSI/Properties/AssemblyInfo.cs

@@ -31,5 +31,5 @@ using System.Runtime.InteropServices;
 //
 // You can specify all the values or you can default the Revision and Build Numbers 
 // by using the '*' as shown below:
-[assembly: AssemblyVersion("1.2.2.0")]
-[assembly: AssemblyFileVersion("1.2.2.0")]
+[assembly: AssemblyVersion("1.2.4.0")]
+[assembly: AssemblyFileVersion("1.2.4.0")]

+ 5 - 0
ISCSI/RevisionHistory.txt

@@ -47,3 +47,8 @@ Revision History:
 
 1.2.2 - Protocol related bugfixes and improvements.
 		Added iSCSI Client implementation.
+
+1.2.3 - Bugfix: login requests starting from stage 1 are now properly handled.
+		Bugfix: Unsupported SCSI commands are now properly handled.
+
+1.2.4 - Improved separation between the iSCSI and SCSI layers.

+ 22 - 44
ISCSI/Server/ISCSIServer.cs

@@ -45,7 +45,6 @@ namespace ISCSI.Server
 
         public static object m_logSyncLock = new object();
         private static FileStream m_logFile;
-        private static bool m_enableDiskIOLogging = true;
         
         public ISCSIServer(List<ISCSITarget> targets) : this(targets, DefaultPort)
         { }
@@ -246,13 +245,7 @@ namespace ISCSI.Server
                     }
                     catch (UnsupportedSCSICommandException)
                     {
-                        SCSICommandPDU command = new SCSICommandPDU(pduBytes, false);
-                        Log("[{0}][ProcessCurrentBuffer] Unsupported SCSI Command (0x{1})", state.ConnectionIdentifier, command.OpCodeSpecific[12].ToString("X"));
-                        SCSIResponsePDU response = new SCSIResponsePDU();
-                        response.InitiatorTaskTag = command.InitiatorTaskTag;
-                        response.Status = SCSIStatusCodeName.CheckCondition;
-                        response.Data = TargetResponseHelper.FormatSenseData(SenseDataParameter.GetIllegalRequestUnsupportedCommandCodeSenseData());
-                        TrySendPDU(state, response);
+                        pdu = new SCSICommandPDU(pduBytes, false);
                     }
                     catch (Exception ex)
                     {
@@ -351,7 +344,7 @@ namespace ISCSI.Server
             else if (pdu is LoginRequestPDU)
             {
                 LoginRequestPDU request = (LoginRequestPDU)pdu;
-                Log("[{0}][ReceiveCallback] Login Request parameters: {1}", state.ConnectionIdentifier, KeyValuePairUtils.ToString(request.LoginParameters));
+                Log("[{0}][ReceiveCallback] Login Request, current stage: {1}, next stage: {2}, parameters: {3}", state.ConnectionIdentifier, request.CurrentStage, request.NextStage, KeyValuePairUtils.ToString(request.LoginParameters));
                 if (request.TSIH != 0)
                 {
                     // RFC 3720: A Login Request with a non-zero TSIH and a CID equal to that of an existing
@@ -364,7 +357,7 @@ namespace ISCSI.Server
                             // Perform implicit logout
                             Log("[{0}][ProcessPDU] Initiating implicit logout", state.ConnectionIdentifier);
                             SocketUtils.ReleaseSocket(m_activeConnections[existingConnectionIndex].ClientSocket);
-                            lock (m_activeConnections[existingConnectionIndex].SessionParameters.WriteLock)
+                            lock (m_activeConnections[existingConnectionIndex].Target.WriteLock)
                             {
                                 // Wait for pending I/O to complete.
                             }
@@ -400,7 +393,7 @@ namespace ISCSI.Server
                     int connectionIndex = GetStateObjectIndex(m_activeConnections, state.SessionParameters.ISID, state.SessionParameters.TSIH, state.ConnectionParameters.CID);
                     if (connectionIndex >= 0)
                     {
-                        lock (m_activeConnections[connectionIndex].SessionParameters.WriteLock)
+                        lock (m_activeConnections[connectionIndex].Target.WriteLock)
                         {
                             // Wait for pending I/O to complete.
                         }
@@ -423,21 +416,33 @@ namespace ISCSI.Server
                     if (pdu is SCSIDataOutPDU)
                     {
                         SCSIDataOutPDU request = (SCSIDataOutPDU)pdu;
-                        ISCSIServer.Log("[{0}][ProcessPDU] SCSIDataOutPDU: Target transfer tag: {1}, LUN: {2}, Buffer offset: {3}, Data segment length: {4}, DataSN: {5}, Final: {6}", state.ConnectionIdentifier, request.TargetTransferTag, request.LUN, request.BufferOffset, request.DataSegmentLength, request.DataSN, request.Final);
+                        ISCSIServer.Log("[{0}][ProcessPDU] SCSIDataOutPDU: Target transfer tag: {1}, LUN: {2}, Buffer offset: {3}, Data segment length: {4}, DataSN: {5}, Final: {6}", state.ConnectionIdentifier, request.TargetTransferTag, (ushort)request.LUN, request.BufferOffset, request.DataSegmentLength, request.DataSN, request.Final);
                         ISCSIPDU response = TargetResponseHelper.GetSCSIDataOutResponsePDU(request, state.Target, state.SessionParameters, state.ConnectionParameters);
                         TrySendPDU(state, response);
                     }
                     else if (pdu is SCSICommandPDU)
                     {
                         SCSICommandPDU command = (SCSICommandPDU)pdu;
-                        ISCSIServer.Log("[{0}][ProcessPDU] SCSICommandPDU: CmdSN: {1}, SCSI command: {2}, LUN: {3}, Data segment length: {4}, Expected Data Transfer Length: {5}, Final: {6}", state.ConnectionIdentifier, command.CmdSN, (SCSIOpCodeName)command.CommandDescriptorBlock.OpCode, command.LUN, command.DataSegmentLength, command.ExpectedDataTransferLength, command.Final);
-                        List<ISCSIPDU> scsiResponseList = TargetResponseHelper.GetSCSIResponsePDU(command, state.Target, state.SessionParameters, state.ConnectionParameters);
-                        foreach (ISCSIPDU response in scsiResponseList)
+                        if (command.CommandDescriptorBlock == null)
                         {
+                            Log("[{0}][ProcessPDU] Unsupported SCSI Command (0x{1})", state.ConnectionIdentifier, command.OpCodeSpecific[12].ToString("X"));
+                            SCSIResponsePDU response = new SCSIResponsePDU();
+                            response.InitiatorTaskTag = command.InitiatorTaskTag;
+                            response.Status = SCSIStatusCodeName.CheckCondition;
+                            response.Data = SCSITarget.FormatSenseData(SenseDataParameter.GetIllegalRequestUnsupportedCommandCodeSenseData());
                             TrySendPDU(state, response);
-                            if (!clientSocket.Connected)
+                        }
+                        else
+                        {
+                            ISCSIServer.Log("[{0}][ProcessPDU] SCSICommandPDU: CmdSN: {1}, SCSI command: {2}, LUN: {3}, Data segment length: {4}, Expected Data Transfer Length: {5}, Final: {6}", state.ConnectionIdentifier, command.CmdSN, (SCSIOpCodeName)command.CommandDescriptorBlock.OpCode, (ushort)command.LUN, command.DataSegmentLength, command.ExpectedDataTransferLength, command.Final);
+                            List<ISCSIPDU> scsiResponseList = TargetResponseHelper.GetSCSIResponsePDU(command, state.Target, state.SessionParameters, state.ConnectionParameters);
+                            foreach (ISCSIPDU response in scsiResponseList)
                             {
-                                return;
+                                TrySendPDU(state, response);
+                                if (!clientSocket.Connected)
+                                {
+                                    return;
+                                }
                             }
                         }
                     }
@@ -519,32 +524,5 @@ namespace ISCSI.Server
         {
             Log(String.Format(message, args));
         }
-
-        public static void LogRead(long sectorIndex, int sectorCount)
-        {
-            if (m_enableDiskIOLogging)
-            {
-                Log("[LogRead] Sector: {0}, Sector count: {1}", sectorIndex, sectorCount);
-            }
-        }
-
-        public static void LogWrite(Disk disk, long sectorIndex, byte[] data)
-        {
-            if (m_logFile != null && m_enableDiskIOLogging)
-            {
-                Log("[LogWrite] Sector: {0}, Data Length: {1}", sectorIndex, data.Length);
-            }
-        }
-
-        public static string GetByteArrayString(byte[] array)
-        {
-            StringBuilder builder = new StringBuilder();
-            foreach (byte b in array)
-            {
-                builder.Append(b.ToString("X2")); // 2 digit hex
-                builder.Append(" ");
-            }
-            return builder.ToString();
-        }
     }
 }

+ 2 - 12
ISCSI/Server/ISCSITarget.cs

@@ -11,15 +11,13 @@ using Utilities;
 
 namespace ISCSI.Server
 {
-    public class ISCSITarget
+    public class ISCSITarget : SCSITarget
     {
         private string m_targetName; // ISCSI name
-        private List<Disk> m_disks;
 
-        public ISCSITarget(string targetName, List<Disk> disks)
+        public ISCSITarget(string targetName, List<Disk> disks) : base(disks)
         {
             m_targetName = targetName;
-            m_disks = disks;
         }
 
         public string TargetName
@@ -29,13 +27,5 @@ namespace ISCSI.Server
                 return m_targetName;
             }
         }
-
-        public List<Disk> Disks
-        {
-            get
-            {
-                return m_disks;
-            }
-        }
     }
 }

+ 467 - 0
ISCSI/Server/SCSITarget.cs

@@ -0,0 +1,467 @@
+using System;
+using System.Collections.Generic;
+using System.IO;
+using System.Text;
+using System.Runtime.InteropServices;
+using DiskAccessLibrary;
+using Utilities;
+
+namespace ISCSI.Server
+{
+    public class SCSITarget
+    {
+        private List<Disk> m_disks;
+        public object WriteLock = new object();
+
+        public SCSITarget(List<Disk> disks)
+        {
+            m_disks = disks;
+        }
+
+        public SCSIStatusCodeName ExecuteCommand(SCSICommandDescriptorBlock command, LUNStructure lun, byte[] data, out byte[] response)
+        {
+            if (command.OpCode == SCSIOpCodeName.TestUnitReady)
+            {
+                return TestUnitReady(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.RequestSense)
+            {
+                return RequestSense(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Inquiry)
+            {
+                return Inquiry((InquiryCommand)command, lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Reserve6)
+            {
+                return Reserve6(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Release6)
+            {
+                return Release6(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.ModeSense6)
+            {
+                return ModeSense6((ModeSense6CommandDescriptorBlock)command, lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.ReadCapacity10)
+            {
+                return ReadCapacity10(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Read6 ||
+                     command.OpCode == SCSIOpCodeName.Read10 ||
+                     command.OpCode == SCSIOpCodeName.Read16)
+            {
+                return Read(command, lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Write6 ||
+                     command.OpCode == SCSIOpCodeName.Write10 ||
+                     command.OpCode == SCSIOpCodeName.Write16)
+            {
+                return Write(command, lun, data, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.Verify10 ||
+                     command.OpCode == SCSIOpCodeName.Verify16)
+            {
+                return Verify(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.SynchronizeCache10)
+            {
+                return SynchronizeCache10(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.ServiceActionIn &&
+                     command.ServiceAction == ServiceAction.ReadCapacity16)
+            {
+                return ReadCapacity16(lun, out response);
+            }
+            else if (command.OpCode == SCSIOpCodeName.ReportLUNs)
+            {
+                return ReportLUNs(out response);
+            }
+            else
+            {
+                ISCSIServer.Log("[ExecuteCommand] Unsupported SCSI Command (0x{0})", command.OpCode.ToString("X"));
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestUnsupportedCommandCodeSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+        }
+
+        public SCSIStatusCodeName Inquiry(InquiryCommand command, LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            if (!command.EVPD)
+            {
+                StandardInquiryData inquiryData = new StandardInquiryData();
+                inquiryData.PeripheralDeviceType = 0; // Direct access block device
+                inquiryData.VendorIdentification = "iSCSIConsole";
+                inquiryData.ProductIdentification = "Disk_" + lun.ToString();
+                inquiryData.ProductRevisionLevel = "1.00";
+                inquiryData.DriveSerialNumber = 0;
+                inquiryData.CmdQue = true;
+                inquiryData.Version = 5; // Microsoft iSCSI Target report version 5
+                response = inquiryData.GetBytes();
+            }
+            else
+            {
+                switch (command.PageCode)
+                {
+                    case VitalProductDataPageName.SupportedVPDPages:
+                        {
+                            SupportedVitaLProductDataPages page = new SupportedVitaLProductDataPages();
+                            page.SupportedPageList.Add((byte)VitalProductDataPageName.SupportedVPDPages);
+                            page.SupportedPageList.Add((byte)VitalProductDataPageName.UnitSerialNumber);
+                            page.SupportedPageList.Add((byte)VitalProductDataPageName.DeviceIdentification);
+                            response = page.GetBytes();
+                            break;
+                        }
+                    case VitalProductDataPageName.UnitSerialNumber:
+                        {
+                            UnitSerialNumberVPDPage page = new UnitSerialNumberVPDPage();
+                            // Older products that only support the Product Serial Number parameter will have a page length of 08h, while newer products that support both parameters (Vendor Unique field from the StandardInquiryData) will have a page length of 14h
+                            // Microsoft iSCSI Target uses values such as "34E5A6FC-3ACC-452D-AEDA-6EE2EFF20FB4"
+                            ulong serialNumber = 0;
+                            page.ProductSerialNumber = serialNumber.ToString("00000000");
+                            response = page.GetBytes();
+                            break;
+                        }
+                    case VitalProductDataPageName.DeviceIdentification:
+                        {
+                            DeviceIdentificationVPDPage page = new DeviceIdentificationVPDPage();
+                            // Identifiers necessity is preliminary, and has not been confirmed:
+                            // WWN identifier is needed to prevent 0xF4 BSOD during Windows setup
+                            // ISCSI identifier is needed for WinPE to pick up the disk during boot (after iPXE's sanhook)
+                            page.IdentificationDescriptorList.Add(new IdentificationDescriptor(5, lun));
+                            if (this is ISCSITarget)
+                            {
+                                page.IdentificationDescriptorList.Add(IdentificationDescriptor.GetISCSIIdentifier(((ISCSITarget)this).TargetName));
+                            }
+                            response = page.GetBytes();
+                            break;
+                        }
+                    case VitalProductDataPageName.BlockLimits:
+                        {
+                            /* Provide only when requeste explicitly */
+                            BlockLimitsVPDPage page = new BlockLimitsVPDPage();
+                            page.OptimalTransferLengthGranularity = 128;
+                            page.MaximumTransferLength = (uint)DiskAccessLibrary.Settings.MaximumTransferSizeLBA;
+                            page.OptimalTransferLength = 128;
+                            response = page.GetBytes();
+                            break;
+                        }
+                    case VitalProductDataPageName.BlockDeviceCharacteristics:
+                        {
+                            /* Provide only when requeste explicitly */
+                            BlockDeviceCharacteristicsVPDPage page = new BlockDeviceCharacteristicsVPDPage();
+                            page.MediumRotationRate = 0; // Not reported
+                            response = page.GetBytes();
+                            break;
+                        }
+                    default:
+                        {
+                            response = FormatSenseData(SenseDataParameter.GetIllegalRequestParameterNotSupportedSenseData());
+                            ISCSIServer.Log("[Inquiry] Unsupported VPD Page request (0x{0})", command.PageCode.ToString("X"));
+                            return SCSIStatusCodeName.CheckCondition;
+                        }
+                }
+            }
+
+            // we must not return more bytes than InquiryCommand.AllocationLength
+            if (response.Length > command.AllocationLength)
+            {
+                response = ByteReader.ReadBytes(response, 0, command.AllocationLength);
+            }
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName ModeSense6(ModeSense6CommandDescriptorBlock command, LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            ShortLBAModeParameterBlockDescriptor descriptor = new ShortLBAModeParameterBlockDescriptor();
+            descriptor.LogicalBlockLength = (uint)m_disks[lun].BytesPerSector;
+
+            ModeParameterHeader6 header = new ModeParameterHeader6();
+            header.WP = m_disks[lun].IsReadOnly; // Write protected, even when set to true, Windows does not always prevent the disk from being written to.
+            header.DPOFUA = true;  // Microsoft iSCSI Target support this
+            header.BlockDescriptorLength = (byte)descriptor.Length;
+            header.ModeDataLength += (byte)descriptor.Length;
+
+            byte[] pageData = new byte[0];
+
+            switch ((ModePageCodeName)command.PageCode)
+            {
+                case ModePageCodeName.CachingParametersPage:
+                    {
+                        CachingParametersPage page = new CachingParametersPage();
+                        page.RCD = true;
+                        header.ModeDataLength += (byte)page.Length;
+                        pageData = new byte[page.Length];
+                        Array.Copy(page.GetBytes(), pageData, page.Length);
+                        break;
+                    }
+                case ModePageCodeName.ControlModePage:
+                    {
+                        ControlModePage page = new ControlModePage();
+                        header.ModeDataLength += (byte)page.Length;
+                        pageData = new byte[page.Length];
+                        Array.Copy(page.GetBytes(), pageData, page.Length);
+                        break;
+                    }
+                case ModePageCodeName.InformationalExceptionsControlModePage:
+                    {
+                        InformationalExceptionsControlModePage page = new InformationalExceptionsControlModePage();
+                        header.ModeDataLength += (byte)page.Length;
+                        pageData = new byte[page.Length];
+                        Array.Copy(page.GetBytes(), pageData, page.Length);
+                        break;
+                    }
+                case ModePageCodeName.ReturnAllPages:
+                    {
+                        CachingParametersPage page1 = new CachingParametersPage();
+                        page1.RCD = true;
+                        header.ModeDataLength += (byte)page1.Length;
+
+                        InformationalExceptionsControlModePage page2 = new InformationalExceptionsControlModePage();
+                        header.ModeDataLength += (byte)page2.Length;
+
+                        pageData = new byte[page1.Length + page2.Length];
+                        Array.Copy(page1.GetBytes(), pageData, page1.Length);
+                        Array.Copy(page2.GetBytes(), 0, pageData, page1.Length, page2.Length);
+                        break;
+                    }
+                case ModePageCodeName.VendorSpecificPage:
+                    {
+                        // Microsoft iSCSI Target running under Windows 2000 will request this page, we immitate Microsoft iSCSI Target by sending back an empty page
+                        VendorSpecificPage page = new VendorSpecificPage();
+                        header.ModeDataLength += (byte)page.Length;
+                        pageData = new byte[page.Length];
+                        Array.Copy(page.GetBytes(), pageData, page.Length);
+                        break;
+                    }
+                default:
+                    {
+                        response = FormatSenseData(SenseDataParameter.GetIllegalRequestParameterNotSupportedSenseData());
+                        ISCSIServer.Log("[ModeSense6] ModeSense6 page 0x{0} is not implemented", command.PageCode.ToString("x"));
+                        return SCSIStatusCodeName.CheckCondition;
+                    }
+            }
+            response = new byte[1 + header.ModeDataLength];
+            Array.Copy(header.GetBytes(), 0, response, 0, header.Length);
+            Array.Copy(descriptor.GetBytes(), 0, response, header.Length, descriptor.Length);
+            Array.Copy(pageData, 0, response, header.Length + descriptor.Length, pageData.Length);
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName ReadCapacity10(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            ReadCapacity10Parameter parameter = new ReadCapacity10Parameter(m_disks[lun].Size, (uint)m_disks[lun].BytesPerSector);
+            response = parameter.GetBytes();
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName ReadCapacity16(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            ReadCapacity16Parameter parameter = new ReadCapacity16Parameter(m_disks[lun].Size, (uint)m_disks[lun].BytesPerSector);
+            response = parameter.GetBytes();
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName ReportLUNs(out byte[] response)
+        {
+            ReportLUNsParameter parameter = new ReportLUNsParameter(m_disks.Count);
+            response = parameter.GetBytes();
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName Read(SCSICommandDescriptorBlock command, LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            Disk disk = m_disks[lun];
+            int sectorCount = (int)command.TransferLength;
+            try
+            {
+                response = disk.ReadSectors((long)command.LogicalBlockAddress64, sectorCount);
+                return SCSIStatusCodeName.Good;
+            }
+            catch (ArgumentOutOfRangeException)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestLBAOutOfRangeSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+            catch (IOException ex)
+            {
+                int error = Marshal.GetHRForException(ex);
+                if (error == (int)Win32Error.ERROR_CRC)
+                {
+                    response = FormatSenseData(SenseDataParameter.GetWriteFaultSenseData());
+                    return SCSIStatusCodeName.CheckCondition;
+                }
+                else
+                {
+                    ISCSIServer.Log("[{0}][Read] Read error:", ex.ToString());
+                    response = FormatSenseData(SenseDataParameter.GetUnitAttentionSenseData());
+                    return SCSIStatusCodeName.CheckCondition;
+                }
+            }
+        }
+
+        // Some initiators (i.e. EFI iSCSI DXE) will send 'Request Sense' upon connection (likely just to verify the medium is ready)
+        public SCSIStatusCodeName RequestSense(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = FormatSenseData(SenseDataParameter.GetNoSenseSenseData());
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName Reserve6(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = new byte[0];
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName SynchronizeCache10(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = new byte[0];
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName Release6(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = new byte[0];
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName TestUnitReady(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = new byte[0];
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName Verify(LUNStructure lun, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            response = new byte[0];
+            return SCSIStatusCodeName.Good;
+        }
+
+        public SCSIStatusCodeName Write(SCSICommandDescriptorBlock command, LUNStructure lun, byte[] data, out byte[] response)
+        {
+            return Write(lun, (long)command.LogicalBlockAddress64, data, out response);
+        }
+
+        public SCSIStatusCodeName Write(LUNStructure lun, long sectorIndex, byte[] data, out byte[] response)
+        {
+            if (lun >= m_disks.Count)
+            {
+                response = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            Disk disk = m_disks[lun];
+            if (disk.IsReadOnly)
+            {
+                SenseDataParameter senseData = SenseDataParameter.GetDataProtectSenseData();
+                response = senseData.GetBytes();
+                return SCSIStatusCodeName.CheckCondition;
+            }
+
+            lock (WriteLock)
+            {
+                try
+                {
+                    disk.WriteSectors(sectorIndex, data);
+                    response = new byte[0];
+                    return SCSIStatusCodeName.Good;
+                }
+                catch (ArgumentOutOfRangeException)
+                {
+                    response = FormatSenseData(SenseDataParameter.GetIllegalRequestLBAOutOfRangeSenseData());
+                    return SCSIStatusCodeName.CheckCondition;
+                }
+                catch (IOException ex)
+                {
+                    ISCSIServer.Log("[{0}][Write] Write error:", ex.ToString());
+                    response = FormatSenseData(SenseDataParameter.GetUnitAttentionSenseData());
+                    return SCSIStatusCodeName.CheckCondition;
+                }
+            }
+        }
+
+        public List<Disk> Disks
+        {
+            get
+            {
+                return m_disks;
+            }
+        }
+
+        public static byte[] FormatSenseData(SenseDataParameter senseData)
+        {
+            byte[] senseDataBytes = senseData.GetBytes();
+            byte[] result = new byte[senseDataBytes.Length + 2];
+            Array.Copy(BigEndianConverter.GetBytes((ushort)senseDataBytes.Length), 0, result, 0, 2);
+            Array.Copy(senseDataBytes, 0, result, 2, senseDataBytes.Length);
+            return result;
+        }
+    }
+}

+ 11 - 2
ISCSI/Server/ServerResponseHelper.cs

@@ -70,7 +70,13 @@ namespace ISCSI.Server
                 return response;
             }
 
-            if (request.CurrentStage == 0)
+            // RFC 3720:  The login process proceeds in two stages - the security negotiation
+            // stage and the operational parameter negotiation stage.  Both stages are optional
+            // but at least one of them has to be present.
+
+            bool firstLoginRequest = (!session.IsDiscovery && target == null);
+
+            if (firstLoginRequest)
             {
                 string sessionType = request.LoginParameters.ValueOf("SessionType");
                 if (sessionType == "Discovery")
@@ -102,10 +108,13 @@ namespace ISCSI.Server
                         return response;
                     }
                 }
+            }
 
+            if (request.CurrentStage == 0)
+            {
                 response.LoginParameters.Add("AuthMethod", "None");
                 
-                if (request.Transit && request.NextStage != 1)
+                if (request.Transit && request.NextStage != 1 && request.NextStage != 3)
                 {
                     response.Status = LoginResponseStatusName.InitiatorError;
                 }

+ 28 - 19
ISCSI/Server/SessionParameters.cs

@@ -12,23 +12,31 @@ namespace ISCSI.Server
 {
     public class SessionParameters
     {
+        public const int DefaultMaxConnections = 1;
+        public const bool DefaultInitialR2T = true;
+        public const bool DefaultImmediateData = true;
         public const int DefaultMaxBurstLength = 262144;
         public const int DefaultFirstBurstLength = 65536;
+        public const int DefaultDefaultTime2Wait = 2;
+        public const int DefaultDefaultTime2Retain = 20;
+        public const int DefaultMaxOutstandingR2T = 1;
+        public const bool DefaultDataPDUInOrder = true;
+        public const bool DefaultDataSequenceInOrder = true;
+        public const int DefaultErrorRecoveryLevel = 0;
+
         public static uint DefaultCommandQueueSize = 64;
 
         /// <summary>
-        /// - CommandQueueSize = 0 means the initiator can send one command at a time (because MaxCmdSN = ExpCmdSN + CommandQueueSize),
-        ///   (in this case there won't be any queue following the currently processed command).
-        /// - Over a low-latency connection, most of the gain comes from increasing the queue size from 0 to 1
-        /// - CmdSN is session wide, so CommandQueueSize is a session parameter.
+        /// The maximum number of connections per session.
         /// </summary>
-        public uint CommandQueueSize = DefaultCommandQueueSize;
+        public int MaxConnections = DefaultMaxConnections;
 
         /// <summary>
         /// Allow the initiator to start sending data to a target as if it has received an initial R2T
         /// </summary>
-        public bool InitialR2T;
-        public bool ImmediateData;
+        public bool InitialR2T = DefaultInitialR2T;
+
+        public bool ImmediateData = DefaultImmediateData;
 
         /// <summary>
         /// The total of all the DataSegmentLength of all PDUs in a sequence MUST not exceed MaxBurstLength.
@@ -43,27 +51,30 @@ namespace ISCSI.Server
         /// Irrelevant to the target in general, irrelevant when (InitialR2T = Yes and) ImmediateData = No.
         /// </summary>
         public int FirstBurstLength = DefaultFirstBurstLength;
+        
         /// <summary>
         /// minimum time, in seconds, to wait before attempting an explicit/implicit logout after connection termination / reset.
         /// </summary>
-        public int DefaultTime2Wait;
+        public int DefaultTime2Wait = DefaultDefaultTime2Wait;
+
         /// <summary>
         /// maximum time, in seconds after an initial wait (Time2Wait), before which an active task reassignment
         /// is still possible after an unexpected connection termination or a connection reset.
         /// </summary>
-        public int DefaultTime2Retain;
+        public int DefaultTime2Retain = DefaultDefaultTime2Retain;
 
-        public int MaxOutstandingR2T;
-
-        public bool DataPDUInOrder;
-        public bool DataSequenceInOrder;
-
-        public int ErrorRecoveryLevel;
+        public int MaxOutstandingR2T = DefaultMaxOutstandingR2T;
+        public bool DataPDUInOrder = DefaultDataPDUInOrder;
+        public bool DataSequenceInOrder = DefaultDataSequenceInOrder;
+        public int ErrorRecoveryLevel = DefaultErrorRecoveryLevel;
 
         /// <summary>
-        /// The maximum number of connections per session.
+        /// - CommandQueueSize = 0 means the initiator can send one command at a time (because MaxCmdSN = ExpCmdSN + CommandQueueSize),
+        ///   (in this case there won't be any queue following the currently processed command).
+        /// - Over a low-latency connection, most of the gain comes from increasing the queue size from 0 to 1
+        /// - CmdSN is session wide, so CommandQueueSize is a session parameter.
         /// </summary>
-        public int MaxConnections;
+        public uint CommandQueueSize = DefaultCommandQueueSize;
 
         public ulong ISID; // Initiator Session ID
         public ushort TSIH; // Target Session Identifying Handle
@@ -71,8 +82,6 @@ namespace ISCSI.Server
         public bool CommandNumberingStarted;
         public uint ExpCmdSN;
 
-        public object WriteLock = new object();
-
         // Target Transfer Tag:
         // There are no protocol specific requirements with regard to the value of these tags,
         // but it is assumed that together with the LUN, they will enable the target to associate data with an R2T

+ 100 - 663
ISCSI/Server/TargetResponseHelper.cs

@@ -16,728 +16,165 @@ namespace ISCSI.Server
 {
     public class TargetResponseHelper
     {
-        private enum ErrorToReport { None, IncorrectLUN, CRCError, UnitAttention, OutOfRange, UnsupportedCommandCode };
-
         internal static List<ISCSIPDU> GetSCSIResponsePDU(SCSICommandPDU command, ISCSITarget target, SessionParameters session, ConnectionParameters connection)
         {
             ushort LUN = command.LUN;
 
-            // We return either SCSIResponsePDU or SCSIDataInPDU
+            // We return either SCSIResponsePDU or List<SCSIDataInPDU>
             List<ISCSIPDU> responseList = new List<ISCSIPDU>();
             
-            ErrorToReport errorToReport = ErrorToReport.None;
             string connectionIdentifier = StateObject.GetConnectionIdentifier(session, connection);
 
-            if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.TestUnitReady)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = new SCSIResponsePDU();
-                    response.InitiatorTaskTag = command.InitiatorTaskTag;
-                    response.Status = SCSIStatusCodeName.Good;
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.RequestSense)
-            {
-                // Some initiators (i.e. EFI iSCSI DXE) will send 'Request Sense' upon connection (likely just to verify the medium is ready)
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = new SCSIResponsePDU();
-                    response.InitiatorTaskTag = command.InitiatorTaskTag;
-                    response.Status = SCSIStatusCodeName.Good;
-                    response.Data = FormatSenseData(SenseDataParameter.GetNoSenseSenseData());
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Inquiry)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIDataInPDU response = Inquiry(command, target);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Reserve6)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = new SCSIResponsePDU();
-                    response.InitiatorTaskTag = command.InitiatorTaskTag;
-                    response.Status = SCSIStatusCodeName.Good;
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Release6)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = new SCSIResponsePDU();
-                    response.InitiatorTaskTag = command.InitiatorTaskTag;
-                    response.Status = SCSIStatusCodeName.Good;
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.ModeSense6)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIDataInPDU response = ModeSense6(command, target);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.ReadCapacity10)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIDataInPDU response = ReadCapacity10(command, target);
-                    EnforceAllocationLength(response, command.ExpectedDataTransferLength);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Read6 ||
-                     command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Read10 ||
-                     command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Read16)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    try
-                    {
-                        // Note: we ignore ExpectedDataTransferLength, and assume it's always equal to the SCSI CDB's TransferLength * BlockLengthInBytes
-                        List<SCSIDataInPDU> collection = Read(command, target, connection);
-                        foreach (SCSIDataInPDU entry in collection)
-                        {
-                            responseList.Add(entry);
-                        }
-                    }
-                    catch (ArgumentOutOfRangeException)
-                    {
-                        errorToReport = ErrorToReport.OutOfRange;
-                    }
-                    catch (IOException ex)
-                    {
-                        int error = Marshal.GetHRForException(ex);
-                        if (error == (int)Win32Error.ERROR_CRC)
-                        {
-                            errorToReport = ErrorToReport.CRCError;
-                        }
-                        else
-                        {
-                            errorToReport = ErrorToReport.UnitAttention;
-                            ISCSIServer.Log("[{0}][GetSCSIResponsePDU] Read error:", ex.ToString());
-                        }
-                    }
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Write6 ||
-                     command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Write10 ||
-                     command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Write16)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    try
-                    {
-                        ISCSIPDU response = Write(command, target, session, connection);
-                        responseList.Add(response);
-                    }
-                    catch (ArgumentOutOfRangeException)
-                    {
-                        errorToReport = ErrorToReport.OutOfRange;
-                    }
-                    catch (IOException ex)
-                    {
-                        errorToReport = ErrorToReport.UnitAttention;
-                        ISCSIServer.Log("[{0}][GetSCSIResponsePDU] Write error: ", ex.ToString());
-                    }
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Verify10 ||
-                     command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.Verify16)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = Verify(command, target);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.SynchronizeCache10)
-            {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIResponsePDU response = SynchronizeCache10(command, target);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.ServiceActionIn &&
-                     command.CommandDescriptorBlock.ServiceAction == ServiceAction.ReadCapacity16)
+            if (command.Write && command.DataSegmentLength < command.ExpectedDataTransferLength)
             {
-                if (LUN < target.Disks.Count)
-                {
-                    SCSIDataInPDU response = ReadCapacity16(command, target);
-                    EnforceAllocationLength(response, command.ExpectedDataTransferLength);
-                    responseList.Add(response);
-                }
-                else
-                {
-                    errorToReport = ErrorToReport.IncorrectLUN;
-                }
-            }
-            else if (command.CommandDescriptorBlock.OpCode == SCSIOpCodeName.ReportLUNs)
-            {
-                SCSIDataInPDU response = ReportLUNs(command, target);
-                responseList.Add(response);
-            }
-            else
-            {
-                ISCSIServer.Log("[{0}][GetSCSIResponsePDU] Unsupported SCSI Command (0x{1})", connectionIdentifier, command.CommandDescriptorBlock.OpCode.ToString("X"));
-                errorToReport = ErrorToReport.UnsupportedCommandCode;
-            }
+                uint transferTag = session.GetNextTransferTag();
 
-            if (errorToReport != ErrorToReport.None)
-            {
-                SCSIResponsePDU response = new SCSIResponsePDU();
+                // Store segment (we only execute the command after receiving all of its data)
+                byte[] commandData = new byte[command.ExpectedDataTransferLength];
+                Array.Copy(command.Data, 0, commandData, 0, command.DataSegmentLength);
+                connection.Transfers.Add(transferTag, new KeyValuePair<ulong, uint>(command.CommandDescriptorBlock.LogicalBlockAddress64, command.ExpectedDataTransferLength));
+                connection.TransferData.Add(transferTag, commandData);
+
+                // Send R2T
+                ReadyToTransferPDU response = new ReadyToTransferPDU();
                 response.InitiatorTaskTag = command.InitiatorTaskTag;
-                response.Status = SCSIStatusCodeName.CheckCondition;
-                if (errorToReport == ErrorToReport.IncorrectLUN)
-                {
-                    response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
-                    ISCSIServer.Log("[{0}][GetSCSIResponsePDU] Incorrect LUN", connectionIdentifier);
-                }
-                else if (errorToReport == ErrorToReport.CRCError)
-                {
-                    response.Data = FormatSenseData(SenseDataParameter.GetWriteFaultSenseData());
-                }
-                else if (errorToReport == ErrorToReport.UnitAttention)
-                {
-                    response.Data = FormatSenseData(SenseDataParameter.GetUnitAttentionSenseData());
-                }
-                else if (errorToReport == ErrorToReport.OutOfRange)
-                {
-                    response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestLBAOutOfRangeSenseData());
-                }
-                else
-                {
-                    response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestUnsupportedCommandCodeSenseData());
-                }
-                responseList.Add(response);
-            }
+                response.R2TSN = 0; // R2Ts are sequenced per command and must start with 0 for each new command;
+                response.TargetTransferTag = transferTag;
+                response.BufferOffset = command.DataSegmentLength;
+                response.DesiredDataTransferLength = Math.Min((uint)connection.TargetMaxRecvDataSegmentLength, command.ExpectedDataTransferLength - response.BufferOffset);
 
-            return responseList;
-        }
+                // We store the next R2TSN to be used
+                session.NextR2TSN.Add(transferTag, 1);
 
-        internal static void PrepareSCSIDataInPDU(SCSIDataInPDU response, SCSICommandPDU command, Nullable<SCSIStatusCodeName> status)
-        {
-            // StatSN, Status, and Residual Count only have meaningful content if the S bit is set to 1
-            response.InitiatorTaskTag = command.InitiatorTaskTag;
-            if (status.HasValue)
-            {
-                response.StatusPresent = true;
-                response.Final = true; // If the S bit is set to 1, the F bit MUST also be set to 1
-                response.Status = status.Value;
+                responseList.Add(response);
+                return responseList;
             }
-        }
 
-        public static void EnforceAllocationLength(SCSIDataInPDU response, uint allocationLength)
-        {
-            if (response.Data.Length > allocationLength)
+            byte[] scsiResponse;
+            SCSIStatusCodeName status = target.ExecuteCommand(command.CommandDescriptorBlock, command.LUN, command.Data, out scsiResponse);
+            if (!command.Read)
             {
-                // we must not return more bytes than inquiryCommand.AllocationLength
-                byte[] data = response.Data;
-                int dataLength = (int)Math.Min(data.Length, allocationLength);
-                response.Data = new byte[dataLength];
-                Array.Copy(data, response.Data, dataLength);
-            }
-            if (response.Data.Length < allocationLength)
-            {
-                response.ResidualUnderflow = true;
-                response.ResidualCount = (uint)(allocationLength - response.Data.Length);
-            }
-        }
-
-        internal static ISCSIPDU GetSCSIDataOutResponsePDU(SCSIDataOutPDU request, ISCSITarget target, SessionParameters session, ConnectionParameters connection)
-        {
-            string connectionIdentifier = StateObject.GetConnectionIdentifier(session, connection);
-            if (connection.Transfers.ContainsKey(request.TargetTransferTag))
-            { 
-                byte LUN = (byte)request.LUN;
-                if (LUN < target.Disks.Count)
-                {
-                    Disk disk = target.Disks[LUN];
-
-                    uint offset = request.BufferOffset;
-                    uint totalLength = connection.Transfers[request.TargetTransferTag].Value;
-
-                    // Store segment (we only execute the command after receiving all of its data)
-                    byte[] commandData = connection.TransferData[request.TargetTransferTag];
-                    Array.Copy(request.Data, 0, commandData, offset, request.DataSegmentLength);
-                    
-                    ISCSIServer.Log(String.Format("[{0}][GetSCSIDataOutResponsePDU] Buffer offset: {1}, Total length: {2}", connectionIdentifier, offset, totalLength));
-
-                    if (offset + request.DataSegmentLength == totalLength)
-                    {
-                        // Last Data-out PDU
-                        ISCSIServer.Log("[{0}][GetSCSIDataOutResponsePDU] Last Data-out PDU", connectionIdentifier);
-                        
-                        if (!disk.IsReadOnly)
-                        {
-                            long sectorIndex = (long)connection.Transfers[request.TargetTransferTag].Key;
-                            ISCSIServer.LogWrite(disk, sectorIndex, commandData); // must come before the actual write as it logs changes
-                            lock (session.WriteLock)
-                            {
-                                disk.WriteSectors(sectorIndex, commandData);
-                            }
-                        }
-
-                        SCSIResponsePDU response = new SCSIResponsePDU();
-                        response.InitiatorTaskTag = request.InitiatorTaskTag;
-                        if (disk.IsReadOnly)
-                        {
-                            response.Status = SCSIStatusCodeName.CheckCondition;
-                            SenseDataParameter senseData = SenseDataParameter.GetDataProtectSenseData();
-                            response.Data = FormatSenseData(senseData);
-                        }
-                        else
-                        {
-                            response.Status = SCSIStatusCodeName.Good;
-                        }
-                        connection.Transfers.Remove(request.TargetTransferTag);
-                        connection.TransferData.Remove(request.TargetTransferTag);
-                        session.NextR2TSN.Remove(request.TargetTransferTag);
-                        return response;
-                    }
-                    else
-                    {
-                        // Send R2T
-                        ReadyToTransferPDU response = new ReadyToTransferPDU();
-                        response.InitiatorTaskTag = request.InitiatorTaskTag;
-                        response.TargetTransferTag = request.TargetTransferTag;
-                        response.R2TSN = session.GetNextR2TSN(request.TargetTransferTag);
-                        response.BufferOffset = offset + request.DataSegmentLength; // where we left off
-                        response.DesiredDataTransferLength = Math.Min((uint)connection.TargetMaxRecvDataSegmentLength, totalLength - response.BufferOffset);
-                        
-                        return response;
-                    }
-                }
-                else
-                {
-                    ISCSIServer.Log("[{0}][GetSCSIDataOutResponsePDU] Incorrect LUN", connectionIdentifier);
-                    SCSIResponsePDU response = new SCSIResponsePDU();
-                    response.InitiatorTaskTag = request.InitiatorTaskTag;
-                    response.Status = SCSIStatusCodeName.CheckCondition;
-                    response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestInvalidLUNSenseData());
-                    return response;
-                }
-            }
-            else
-            {
-                ISCSIServer.Log("[{0}][GetSCSIDataOutResponsePDU] Unfamiliar TargetTransferTag", connectionIdentifier);
                 SCSIResponsePDU response = new SCSIResponsePDU();
-                response.InitiatorTaskTag = request.InitiatorTaskTag;
-                response.Status = SCSIStatusCodeName.CheckCondition;
-                response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestSenseData());
-                return response;
+                response.InitiatorTaskTag = command.InitiatorTaskTag;
+                response.Status = status;
+                response.Data = scsiResponse;
+                responseList.Add(response);
             }
-        }
-
-        public static SCSIDataInPDU Inquiry(SCSICommandPDU command, ISCSITarget target)
-        {
-            ushort LUN = command.LUN;
-
-            SCSIDataInPDU response = new SCSIDataInPDU();
-            PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-
-            InquiryCommand inquiryCommand = (InquiryCommand)command.CommandDescriptorBlock;
-            if (!inquiryCommand.EVPD)
-            {
-                StandardInquiryData inquiryData = new StandardInquiryData();
-                inquiryData.PeripheralDeviceType = 0; // Direct access block device
-                inquiryData.VendorIdentification = "TalAloni";
-                inquiryData.ProductIdentification = "Disk";
-                inquiryData.ProductRevisionLevel = "1.00";
-                inquiryData.DriveSerialNumber = (uint)target.TargetName.GetHashCode() + command.LUN;
-                inquiryData.CmdQue = true;
-                inquiryData.Version = 5; // Microsoft iSCSI Target report version 5
-                response.Data = inquiryData.GetBytes(); // we trim it later if necessary
-            }
-            else
-            {
-                switch (inquiryCommand.PageCode)
-                {
-                    case VitalProductDataPageName.SupportedVPDPages:
-                        {
-                            SupportedVitaLProductDataPages page = new SupportedVitaLProductDataPages();
-                            page.SupportedPageList.Add((byte)VitalProductDataPageName.SupportedVPDPages);
-                            page.SupportedPageList.Add((byte)VitalProductDataPageName.UnitSerialNumber);
-                            page.SupportedPageList.Add((byte)VitalProductDataPageName.DeviceIdentification);
-                            response.Data = page.GetBytes();
-                            break;
-                        }
-                    case VitalProductDataPageName.UnitSerialNumber:
-                        {
-                            UnitSerialNumberVPDPage page = new UnitSerialNumberVPDPage();
-                            // Older products that only support the Product Serial Number parameter will have a page length of 08h, while newer products that support both parameters (Vendor Unique field from the StandardInquiryData) will have a page length of 14h
-                            // Microsoft iSCSI Target uses values such as "34E5A6FC-3ACC-452D-AEDA-6EE2EFF20FB4"
-                            ulong serialNumber = (ulong)target.TargetName.GetHashCode() << 32 + command.LUN;
-                            page.ProductSerialNumber = serialNumber.ToString("00000000");
-                            response.Data = page.GetBytes();
-                            break;
-                        }
-                    case VitalProductDataPageName.DeviceIdentification:
-                        {
-                            DeviceIdentificationVPDPage page = new DeviceIdentificationVPDPage();
-                            // Identifiers necessity is preliminary, and has not been confirmed:
-                            // WWN identifier is needed to prevent 0xF4 BSOD during Windows setup
-                            // ISCSI identifier is needed for WinPE to pick up the disk during boot (after iPXE's sanhook)
-                            page.IdentificationDescriptorList.Add(new IdentificationDescriptor(5, command.LUN));
-                            page.IdentificationDescriptorList.Add(IdentificationDescriptor.GetISCSIIdentifier(target.TargetName));
-                            response.Data = page.GetBytes();
-                            break;
-                        }
-                    case VitalProductDataPageName.BlockLimits:
-                        {
-                            /* Provide only when requeste explicitly */
-                            BlockLimitsVPDPage page = new BlockLimitsVPDPage();
-                            page.OptimalTransferLengthGranularity = 128;
-                            page.MaximumTransferLength = (uint)Settings.MaximumTransferSizeLBA;
-                            page.OptimalTransferLength = 128;
-                            response.Data = page.GetBytes();
-                            break;
-                        }
-                    case VitalProductDataPageName.BlockDeviceCharacteristics:
-                        {
-                            /* Provide only when requeste explicitly */
-                            BlockDeviceCharacteristicsVPDPage page = new BlockDeviceCharacteristicsVPDPage();
-                            page.MediumRotationRate = 0; // Not reported
-                            response.Data = page.GetBytes();
-                            break;
-                        }
-                    default:
-                        {
-                            response.Status = SCSIStatusCodeName.CheckCondition;
-                            response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestParameterNotSupportedSenseData());
-                            ISCSIServer.Log("[Inquiry] Unsupported VPD Page request (0x{0})", inquiryCommand.PageCode.ToString("X"));
-                            break;
-                        }
-                }
-            }
-
-            EnforceAllocationLength(response, inquiryCommand.AllocationLength);
-
-            return response;
-        }
-
-        public static SCSIDataInPDU ModeSense6(SCSICommandPDU command, ISCSITarget target)
-        {
-            ushort LUN = command.LUN;
-
-            SCSIDataInPDU response = new SCSIDataInPDU();
-            PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-
-            ModeSense6CommandDescriptorBlock modeSense6Command = (ModeSense6CommandDescriptorBlock)command.CommandDescriptorBlock;
-            
-            ShortLBAModeParameterBlockDescriptor descriptor = new ShortLBAModeParameterBlockDescriptor();
-            descriptor.LogicalBlockLength = (uint)target.Disks[LUN].BytesPerSector; 
-
-            ModeParameterHeader6 header = new ModeParameterHeader6();
-            header.WP = target.Disks[LUN].IsReadOnly;     // Write protected, even when set to true, Windows does not always prevent the disk from being written to.
-            header.DPOFUA = true;  // Microsoft iSCSI Target support this
-            header.BlockDescriptorLength = (byte)descriptor.Length;
-            header.ModeDataLength += (byte)descriptor.Length;
-
-            byte[] pageData = new byte[0];
-
-            switch ((ModePageCodeName)modeSense6Command.PageCode)
-            {
-                case ModePageCodeName.CachingParametersPage:
-                    {
-                        CachingParametersPage page = new CachingParametersPage();
-                        page.RCD = true;
-                        header.ModeDataLength += (byte)page.Length;
-                        pageData = new byte[page.Length];
-                        Array.Copy(page.GetBytes(), pageData, page.Length);
-                        break;
-                    }
-                case ModePageCodeName.ControlModePage:
-                    {
-                        ControlModePage page = new ControlModePage();
-                        header.ModeDataLength += (byte)page.Length;
-                        pageData = new byte[page.Length];
-                        Array.Copy(page.GetBytes(), pageData, page.Length);
-                        break;
-                    }
-                case ModePageCodeName.InformationalExceptionsControlModePage:
-                    {
-                        InformationalExceptionsControlModePage page = new InformationalExceptionsControlModePage();
-                        header.ModeDataLength += (byte)page.Length;
-                        pageData = new byte[page.Length];
-                        Array.Copy(page.GetBytes(), pageData, page.Length);
-                        break;
-                    }
-                case ModePageCodeName.ReturnAllPages:
-                    {
-                        CachingParametersPage page1 = new CachingParametersPage();
-                        page1.RCD = true;
-                        header.ModeDataLength += (byte)page1.Length;
-
-                        InformationalExceptionsControlModePage page2 = new InformationalExceptionsControlModePage();
-                        header.ModeDataLength += (byte)page2.Length;
-
-                        pageData = new byte[page1.Length + page2.Length];
-                        Array.Copy(page1.GetBytes(), pageData, page1.Length);
-                        Array.Copy(page2.GetBytes(), 0, pageData, page1.Length, page2.Length);
-                        break;
-                    }
-                case ModePageCodeName.VendorSpecificPage:
-                    {
-                        // Microsoft iSCSI Target running under Windows 2000 will request this page, we immitate Microsoft iSCSI Target by sending back an empty page
-                        VendorSpecificPage page = new VendorSpecificPage();
-                        header.ModeDataLength += (byte)page.Length;
-                        pageData = new byte[page.Length];
-                        Array.Copy(page.GetBytes(), pageData, page.Length);
-                        break;
-                    }
-                default:
-                    {
-                        response.Status = SCSIStatusCodeName.CheckCondition;
-                        response.Data = FormatSenseData(SenseDataParameter.GetIllegalRequestParameterNotSupportedSenseData());
-                        ISCSIServer.Log("[ModeSense6] ModeSense6 page 0x{0} is not implemented", modeSense6Command.PageCode.ToString("x"));
-                        break;
-                    }
-            }
-            response.Data = new byte[1 + header.ModeDataLength];
-            Array.Copy(header.GetBytes(), 0, response.Data, 0, header.Length);
-            Array.Copy(descriptor.GetBytes(), 0, response.Data, header.Length, descriptor.Length);
-            Array.Copy(pageData, 0, response.Data, header.Length + descriptor.Length, pageData.Length);
-
-            EnforceAllocationLength(response, modeSense6Command.AllocationLength);
-            return response;
-        }
-
-        public static SCSIDataInPDU ReadCapacity10(SCSICommandPDU command, ISCSITarget target)
-        {
-            ushort LUN = command.LUN;
-
-            SCSIDataInPDU response = new SCSIDataInPDU();
-            PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-
-            ReadCapacity10Parameter parameter = new ReadCapacity10Parameter(target.Disks[LUN].Size, (uint)target.Disks[LUN].BytesPerSector);
-            response.Data = parameter.GetBytes();
-
-            return response;
-        }
-
-        public static SCSIDataInPDU ReadCapacity16(SCSICommandPDU command, ISCSITarget target)
-        {
-            ushort LUN = command.LUN;
-
-            SCSIDataInPDU response = new SCSIDataInPDU();
-            PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-
-            ReadCapacity16Parameter parameter = new ReadCapacity16Parameter(target.Disks[LUN].Size, (uint)target.Disks[LUN].BytesPerSector);
-            response.Data = parameter.GetBytes();
-
-            return response;
-        }
-
-        public static SCSIDataInPDU ReportLUNs(SCSICommandPDU command, ISCSITarget target)
-        {
-            SCSIDataInPDU response = new SCSIDataInPDU();
-            PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-
-            ReportLUNsParameter parameter = new ReportLUNsParameter(target.Disks.Count);
-            response.Data = parameter.GetBytes();
-
-            EnforceAllocationLength(response, command.CommandDescriptorBlock.TransferLength);
-
-            return response;
-        }
-
-        public static List<SCSIDataInPDU> Read(SCSICommandPDU command, ISCSITarget target, ConnectionParameters connection)
-        {
-            ushort LUN = command.LUN;
-            
-            Disk disk = target.Disks[LUN];
-            int sectorCount = (int)command.CommandDescriptorBlock.TransferLength;
-            byte[] data = disk.ReadSectors((long)command.CommandDescriptorBlock.LogicalBlockAddress64, sectorCount);
-            ISCSIServer.LogRead((long)command.CommandDescriptorBlock.LogicalBlockAddress64, sectorCount);
-            List<SCSIDataInPDU> responseList = new List<SCSIDataInPDU>();
-
-            if (data.Length <= connection.InitiatorMaxRecvDataSegmentLength)
+            else if (scsiResponse.Length <= connection.InitiatorMaxRecvDataSegmentLength)
             {
                 SCSIDataInPDU response = new SCSIDataInPDU();
-                PrepareSCSIDataInPDU(response, command, SCSIStatusCodeName.Good);
-                response.Data = data;
+                response.InitiatorTaskTag = command.InitiatorTaskTag;
+                response.Status = status;
+                response.StatusPresent = true;
+                response.Final = true;
+                response.Data = scsiResponse;
+                EnforceExpectedDataTransferLength(response, command.ExpectedDataTransferLength);
                 responseList.Add(response);
             }
             else // we have to split the response to multiple Data-In PDUs
             {
-                int bytesLeftToSend = data.Length;
+                int bytesLeftToSend = scsiResponse.Length;
 
                 uint dataSN = 0;
                 while (bytesLeftToSend > 0)
                 {
-                    int dataSegmentLength;
-                    if (bytesLeftToSend == data.Length)
-                    {
-                        // first segment in many
-                        dataSegmentLength = connection.InitiatorMaxRecvDataSegmentLength;
-                    }
-                    else
-                    {
-                        dataSegmentLength = Math.Min(connection.InitiatorMaxRecvDataSegmentLength, bytesLeftToSend);
-                    }
-
-                    int dataOffset = data.Length - bytesLeftToSend;
-                    bytesLeftToSend -= dataSegmentLength;
-
-                    SCSIDataInPDU response = new SCSIDataInPDU();
+                    int dataSegmentLength = Math.Min(connection.InitiatorMaxRecvDataSegmentLength, bytesLeftToSend);
+                    int dataOffset = scsiResponse.Length - bytesLeftToSend;
                     
-                    Nullable<SCSIStatusCodeName> status = null;
-                    if (bytesLeftToSend == 0)
+                    SCSIDataInPDU response = new SCSIDataInPDU();
+                    response.InitiatorTaskTag = command.InitiatorTaskTag;
+                    if (bytesLeftToSend == dataSegmentLength)
                     {
                         // last Data-In PDU
-                        status = SCSIStatusCodeName.Good;
+                        response.Status = status;
+                        response.StatusPresent = true;
+                        response.Final = true;
                     }
-                    PrepareSCSIDataInPDU(response, command, status);
                     response.BufferOffset = (uint)dataOffset;
                     response.DataSN = dataSN;
                     dataSN++;
 
                     response.Data = new byte[dataSegmentLength];
-                    Array.Copy(data, dataOffset, response.Data, 0, dataSegmentLength);
+                    Array.Copy(scsiResponse, dataOffset, response.Data, 0, dataSegmentLength);
                     responseList.Add(response);
+
+                    bytesLeftToSend -= dataSegmentLength;
                 }
             }
 
             return responseList;
         }
 
-        public static ISCSIPDU Write(SCSICommandPDU command, ISCSITarget target, SessionParameters session, ConnectionParameters connection)
+        internal static ISCSIPDU GetSCSIDataOutResponsePDU(SCSIDataOutPDU request, ISCSITarget target, SessionParameters session, ConnectionParameters connection)
         {
-            ushort LUN = command.LUN;
-
-            Disk disk = target.Disks[LUN];
-            // when InitialR2T = Yes, and ImmediateData = No, the initiators will wait for R2T before sending any data
-            if (command.ExpectedDataTransferLength == command.DataSegmentLength)
+            string connectionIdentifier = StateObject.GetConnectionIdentifier(session, connection);
+            if (connection.Transfers.ContainsKey(request.TargetTransferTag))
             {
-                if (!disk.IsReadOnly)
-                {
-                    ISCSIServer.LogWrite(disk, (long)command.CommandDescriptorBlock.LogicalBlockAddress64, command.Data); // must come before the actual write as it logs changes
-                    lock (session.WriteLock)
-                    {
-                        disk.WriteSectors((long)command.CommandDescriptorBlock.LogicalBlockAddress64, command.Data);
-                    }
-                }
+                ushort LUN = (ushort)request.LUN;
+                
+                Disk disk = target.Disks[LUN];
 
-                SCSIResponsePDU response = new SCSIResponsePDU();
-                response.InitiatorTaskTag = command.InitiatorTaskTag;
-                if (disk.IsReadOnly)
+                uint offset = request.BufferOffset;
+                uint totalLength = connection.Transfers[request.TargetTransferTag].Value;
+
+                // Store segment (we only execute the command after receiving all of its data)
+                byte[] commandData = connection.TransferData[request.TargetTransferTag];
+                Array.Copy(request.Data, 0, commandData, offset, request.DataSegmentLength);
+                
+                ISCSIServer.Log(String.Format("[{0}][GetSCSIDataOutResponsePDU] Buffer offset: {1}, Total length: {2}", connectionIdentifier, offset, totalLength));
+
+                if (offset + request.DataSegmentLength == totalLength)
                 {
-                    response.Status = SCSIStatusCodeName.CheckCondition;
-                    SenseDataParameter senseData = SenseDataParameter.GetDataProtectSenseData();
-                    response.Data = FormatSenseData(senseData);
+                    // Last Data-out PDU
+                    ISCSIServer.Log("[{0}][GetSCSIDataOutResponsePDU] Last Data-out PDU", connectionIdentifier);
+                    
+                    long sectorIndex = (long)connection.Transfers[request.TargetTransferTag].Key;
+                    SCSIResponsePDU response = new SCSIResponsePDU();
+                    response.InitiatorTaskTag = request.InitiatorTaskTag;
+                    response.Status = target.Write(request.LUN, sectorIndex, commandData, out response.Data);
+                    connection.Transfers.Remove(request.TargetTransferTag);
+                    connection.TransferData.Remove(request.TargetTransferTag);
+                    session.NextR2TSN.Remove(request.TargetTransferTag);
+                    return response;
                 }
                 else
                 {
-                    response.Status = SCSIStatusCodeName.Good;
+                    // Send R2T
+                    ReadyToTransferPDU response = new ReadyToTransferPDU();
+                    response.InitiatorTaskTag = request.InitiatorTaskTag;
+                    response.TargetTransferTag = request.TargetTransferTag;
+                    response.R2TSN = session.GetNextR2TSN(request.TargetTransferTag);
+                    response.BufferOffset = offset + request.DataSegmentLength; // where we left off
+                    response.DesiredDataTransferLength = Math.Min((uint)connection.TargetMaxRecvDataSegmentLength, totalLength - response.BufferOffset);
+                    
+                    return response;
                 }
-    
-                return response;
+                
             }
-            else // the request is splitted to multiple PDUs
+            else
             {
-                uint transferTag = session.GetNextTransferTag();
-                
-                // Store segment (we only execute the command after receiving all of its data)
-                byte[] commandData = new byte[command.ExpectedDataTransferLength];
-                Array.Copy(command.Data, 0, commandData, 0, command.DataSegmentLength);
-                connection.Transfers.Add(transferTag, new KeyValuePair<ulong, uint>(command.CommandDescriptorBlock.LogicalBlockAddress64, command.ExpectedDataTransferLength));
-                connection.TransferData.Add(transferTag, commandData);
-
-                // Send R2T
-                ReadyToTransferPDU response = new ReadyToTransferPDU();
-                response.InitiatorTaskTag = command.InitiatorTaskTag;
-                response.R2TSN = 0; // R2Ts are sequenced per command and must start with 0 for each new command;
-                response.TargetTransferTag = transferTag;
-                response.BufferOffset = command.DataSegmentLength;
-                response.DesiredDataTransferLength = Math.Min((uint)connection.TargetMaxRecvDataSegmentLength, command.ExpectedDataTransferLength - response.BufferOffset);
-
-                // We store the next R2TSN to be used
-                session.NextR2TSN.Add(transferTag, 1);
-
+                ISCSIServer.Log("[{0}][GetSCSIDataOutResponsePDU] Unfamiliar TargetTransferTag", connectionIdentifier);
+                SCSIResponsePDU response = new SCSIResponsePDU();
+                response.InitiatorTaskTag = request.InitiatorTaskTag;
+                response.Status = SCSIStatusCodeName.CheckCondition;
+                response.Data = SCSITarget.FormatSenseData(SenseDataParameter.GetIllegalRequestSenseData());
                 return response;
             }
         }
 
-        public static SCSIResponsePDU Verify(SCSICommandPDU command, ISCSITarget target)
+        public static void EnforceExpectedDataTransferLength(SCSIDataInPDU response, uint expectedDataTransferLength)
         {
-            SCSIResponsePDU response = new SCSIResponsePDU();
-            response.InitiatorTaskTag = command.InitiatorTaskTag;
-            response.Status = SCSIStatusCodeName.Good;
-
-            return response;
-        }
-
-        public static SCSIResponsePDU SynchronizeCache10(SCSICommandPDU command, ISCSITarget target)
-        {
-            SCSIResponsePDU response = new SCSIResponsePDU();
-            response.InitiatorTaskTag = command.InitiatorTaskTag;
-            response.Status = SCSIStatusCodeName.Good;
-
-            return response;
-        }
-
-        public static byte[] FormatSenseData(SenseDataParameter senseData)
-        {
-            byte[] senseDataBytes = senseData.GetBytes();
-            byte[] result = new byte[senseDataBytes.Length + 2];
-            Array.Copy(BigEndianConverter.GetBytes((ushort)senseDataBytes.Length), 0, result, 0, 2);
-            Array.Copy(senseDataBytes, 0, result, 2, senseDataBytes.Length);
-            return result;
+            if (response.Data.Length > expectedDataTransferLength)
+            {
+                response.ResidualOverflow = true;
+                response.ResidualCount = (uint)(expectedDataTransferLength - response.Data.Length);
+                response.Data = ByteReader.ReadBytes(response.Data, 0, (int)expectedDataTransferLength);
+            }
+            else if (response.Data.Length < expectedDataTransferLength)
+            {
+                response.ResidualUnderflow = true;
+                response.ResidualCount = (uint)(expectedDataTransferLength - response.Data.Length);
+            }
         }
     }
 }

+ 2 - 2
ISCSIConsole/Properties/AssemblyInfo.cs

@@ -29,5 +29,5 @@ using System.Runtime.InteropServices;
 //      Build Number
 //      Revision
 //
-[assembly: AssemblyVersion("1.2.2.0")]
-[assembly: AssemblyFileVersion("1.2.2.0")]
+[assembly: AssemblyVersion("1.2.4.0")]
+[assembly: AssemblyFileVersion("1.2.4.0")]

+ 6 - 0
ISCSIConsole/RevisionHistory.txt

@@ -45,3 +45,9 @@ Revision History:
 1.2.0 - Disk images are now locked for exclusive access.
 
 1.2.1 - We now use noncached I/O operations when working with virtual disks.
+
+1.2.2 - Updates to the ISCSI library.
+
+1.2.3 - Updates to the ISCSI library.
+
+1.2.4 - Updates to the ISCSI library.

+ 6 - 0
Utilities/IFileSystem/FileSystemEntry.cs

@@ -39,5 +39,11 @@ namespace Utilities
                 FullName = FileSystem.GetDirectoryPath(FullName);
             }
         }
+
+        public FileSystemEntry Clone()
+        {
+            FileSystemEntry clone = (FileSystemEntry)MemberwiseClone();
+            return clone;
+        }
     }
 }