ecb.go 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576
  1. // Copyright 2013 The Go Authors. All rights reserved.
  2. // Use of this source code is governed by a BSD-style
  3. // license that can be found in the LICENSE file.
  4. // Electronic Code Book (ECB) mode.
  5. // ECB provides confidentiality by assigning a fixed ciphertext block to each
  6. // plaintext block.
  7. // See NIST SP 800-38A, pp 08-09
  8. package cipher
  9. import (
  10. "crypto/cipher"
  11. )
  12. type ecb struct {
  13. b cipher.Block
  14. blockSize int
  15. }
  16. func newECB(b cipher.Block) *ecb {
  17. return &ecb{
  18. b: b,
  19. blockSize: b.BlockSize(),
  20. }
  21. }
  22. type ecbEncrypter ecb
  23. // NewECBEncrypter returns a BlockMode which encrypts in electronic code book
  24. // mode, using the given Block.
  25. func NewECBEncrypter(b cipher.Block) cipher.BlockMode {
  26. return (*ecbEncrypter)(newECB(b))
  27. }
  28. func (x *ecbEncrypter) BlockSize() int { return x.blockSize }
  29. func (x *ecbEncrypter) CryptBlocks(dst, src []byte) {
  30. if len(src)%x.blockSize != 0 {
  31. panic("crypto/cipher: input not full blocks")
  32. }
  33. if len(dst) < len(src) {
  34. panic("crypto/cipher: output smaller than input")
  35. }
  36. for len(src) > 0 {
  37. x.b.Encrypt(dst, src[:x.blockSize])
  38. src = src[x.blockSize:]
  39. dst = dst[x.blockSize:]
  40. }
  41. }
  42. type ecbDecrypter ecb
  43. // NewECBDecrypter returns a BlockMode which decrypts in electronic code book
  44. // mode, using the given Block.
  45. func NewECBDecrypter(b cipher.Block) cipher.BlockMode {
  46. return (*ecbDecrypter)(newECB(b))
  47. }
  48. func (x *ecbDecrypter) BlockSize() int { return x.blockSize }
  49. func (x *ecbDecrypter) CryptBlocks(dst, src []byte) {
  50. if len(src)%x.blockSize != 0 {
  51. panic("crypto/cipher: input not full blocks")
  52. }
  53. if len(dst) < len(src) {
  54. panic("crypto/cipher: output smaller than input")
  55. }
  56. for len(src) > 0 {
  57. x.b.Decrypt(dst, src[:x.blockSize])
  58. src = src[x.blockSize:]
  59. dst = dst[x.blockSize:]
  60. }
  61. }