DerEncodingHelper.cs 3.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596
  1. /* Copyright (C) 2017 Tal Aloni <tal.aloni.il@gmail.com>. All rights reserved.
  2. *
  3. * You can redistribute this program and/or modify it under the terms of
  4. * the GNU Lesser Public License as published by the Free Software Foundation,
  5. * either version 3 of the License, or (at your option) any later version.
  6. */
  7. using System;
  8. using System.Collections.Generic;
  9. using System.Text;
  10. using Utilities;
  11. namespace SMBLibrary.Authentication.GSSAPI
  12. {
  13. public enum DerEncodingTag : byte
  14. {
  15. ByteArray = 0x04, // Octet String
  16. ObjectIdentifier = 0x06,
  17. Enum = 0x0A,
  18. GeneralString = 0x1B,
  19. Sequence = 0x30,
  20. }
  21. public class DerEncodingHelper
  22. {
  23. public static int ReadLength(byte[] buffer, ref int offset)
  24. {
  25. int length = ByteReader.ReadByte(buffer, ref offset);
  26. if (length >= 0x80)
  27. {
  28. int lengthFieldSize = (length & 0x7F);
  29. byte[] lengthField = ByteReader.ReadBytes(buffer, ref offset, lengthFieldSize);
  30. length = 0;
  31. foreach (byte value in lengthField)
  32. {
  33. length *= 256;
  34. length += value;
  35. }
  36. }
  37. return length;
  38. }
  39. public static void WriteLength(byte[] buffer, ref int offset, int length)
  40. {
  41. if (length >= 0x80)
  42. {
  43. List<byte> values = new List<byte>();
  44. do
  45. {
  46. byte value = (byte)(length % 256);
  47. values.Add(value);
  48. length = length / 256;
  49. }
  50. while (length > 0);
  51. values.Reverse();
  52. byte[] lengthField = values.ToArray();
  53. ByteWriter.WriteByte(buffer, ref offset, (byte)(0x80 | lengthField.Length));
  54. ByteWriter.WriteBytes(buffer, ref offset, lengthField);
  55. }
  56. else
  57. {
  58. ByteWriter.WriteByte(buffer, ref offset, (byte)length);
  59. }
  60. }
  61. public static int GetLengthFieldSize(int length)
  62. {
  63. if (length >= 0x80)
  64. {
  65. int result = 1;
  66. do
  67. {
  68. length = length / 256;
  69. result++;
  70. }
  71. while(length > 0);
  72. return result;
  73. }
  74. else
  75. {
  76. return 1;
  77. }
  78. }
  79. public static byte[] EncodeGeneralString(string value)
  80. {
  81. // We do not support character-set designation escape sequences
  82. return ASCIIEncoding.ASCII.GetBytes(value);
  83. }
  84. public static string DecodeGeneralString(byte[] bytes)
  85. {
  86. // We do not support character-set designation escape sequences
  87. return ASCIIEncoding.ASCII.GetString(bytes);
  88. }
  89. }
  90. }