@superdoc-dev/esign 1.0.0-next.2 → 1.0.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,6 +1,6 @@
1
1
  # @superdoc-dev/esign
2
2
 
3
- A React eSignature component for SuperDoc that handles document acceptance workflows.
3
+ React component that wraps SuperDoc for document signing workflows with audit trails and compliance tracking.
4
4
 
5
5
  ## Installation
6
6
 
@@ -11,195 +11,130 @@ npm install @superdoc-dev/esign superdoc
11
11
  ## Quick Start
12
12
 
13
13
  ```jsx
14
- import React, { useRef, useState } from 'react';
14
+ import React from 'react';
15
15
  import SuperDocESign from '@superdoc-dev/esign';
16
16
  import 'superdoc/dist/style.css';
17
17
 
18
18
  function App() {
19
- const esignRef = useRef();
20
- const [status, setStatus] = useState({});
21
-
22
- const handleAccept = async () => {
23
- const auditData = await esignRef.current?.accept();
24
- if (auditData) {
25
- // Send to your API
26
- await api.saveSignature(auditData);
27
- }
19
+ const handleSubmit = async (data) => {
20
+ // Send to your backend
21
+ await fetch('/api/sign', {
22
+ method: 'POST',
23
+ headers: { 'Content-Type': 'application/json' },
24
+ body: JSON.stringify(data)
25
+ });
26
+ alert('Document signed!');
28
27
  };
29
28
 
30
29
  return (
31
- <div>
32
- {/* Document viewer */}
33
- <SuperDocESign
34
- ref={esignRef}
35
- document="https://example.com/agreement.docx"
36
- requirements={{
37
- scroll: true,
38
- signature: true,
39
- consents: ['terms', 'privacy']
40
- }}
41
- onChange={setStatus}
42
- onAccept={handleAccept}
43
- />
44
-
45
- {/* Your signature UI */}
46
- <input
47
- type="text"
48
- data-esign-signature
49
- placeholder="Type your full name"
50
- disabled={!status.scroll}
51
- />
52
-
53
- {/* Your consent UI */}
54
- <label>
55
- <input
56
- type="checkbox"
57
- data-esign-consent="terms"
58
- disabled={!status.scroll || !status.signature}
59
- />
60
- I accept the terms
61
- </label>
62
-
63
- {/* Accept button */}
64
- <button
65
- onClick={() => esignRef.current?.accept()}
66
- disabled={!status.isValid}
67
- >
68
- Accept Agreement
69
- </button>
70
- </div>
30
+ <SuperDocESign
31
+ eventId={`session-${Date.now()}`}
32
+
33
+ document={{
34
+ source: "https://storage.googleapis.com/public_static_hosting/public_demo_docs/employment_agreement.docx",
35
+ validation: { scroll: { required: true } }
36
+ }}
37
+
38
+ fields={{
39
+ document: [
40
+ { id: 'employee_name', value: 'Jane Smith' },
41
+ { id: 'position', value: 'Senior Engineer' },
42
+ { id: 'salary', value: '$120,000' }
43
+ ],
44
+ signer: [
45
+ {
46
+ id: 'signature',
47
+ type: 'signature',
48
+ validation: { required: true },
49
+ label: 'Type your full name'
50
+ },
51
+ {
52
+ id: 'accept_terms',
53
+ type: 'consent',
54
+ validation: { required: true },
55
+ label: 'I accept the terms'
56
+ }
57
+ ]
58
+ }}
59
+
60
+ onSubmit={handleSubmit}
61
+ />
71
62
  );
72
63
  }
73
64
  ```
74
65
 
75
- ## Props
76
-
77
- | Prop | Type | Description |
78
- |------|------|-------------|
79
- | `document` | `string \| File \| Blob` | Document to display |
80
- | `requirements` | `Object` | What users must complete |
81
- | `fields` | `Array` | Initial field values |
82
- | `signatureSelector` | `string` | CSS selector for signature element (default: `[data-esign-signature]`) |
83
- | `consentSelector` | `string` | CSS selector for consent checkboxes (default: `[data-esign-consent]`) |
84
- | `onChange` | `(status) => void` | Called when requirements change |
85
- | `onAccept` | `(data) => void` | Called when document is accepted |
86
- | `onReady` | `() => void` | Called when component is ready |
87
- | `onFieldsDiscovered` | `(fields) => void` | Called when document fields are found |
88
-
89
- ## Methods (via ref)
90
-
91
- - `accept()` - Process acceptance and return audit data
92
- - `reset()` - Clear all state
93
- - `updateFields(fields)` - Update document field values
94
- - `getStatus()` - Get current requirement status
95
- - `getFields()` - Get all document fields
96
-
97
- ## Requirements
98
-
99
- Configure what users must complete before accepting:
100
-
101
- ```jsx
102
- <SuperDocESign
103
- requirements={{
104
- scroll: true, // Must scroll to bottom
105
- signature: true, // Must provide signature
106
- consents: ['terms', 'privacy'] // Must check these boxes
107
- }}
108
- />
109
- ```
110
-
111
- ## Signature Input
112
-
113
- Use the `data-esign-signature` attribute on any input or canvas:
114
-
115
- ```jsx
116
- {/* Text input */}
117
- <input type="text" data-esign-signature placeholder="Type your name" />
118
-
119
- {/* Canvas signature pad */}
120
- <canvas data-esign-signature width="400" height="200" />
121
-
122
- {/* Custom component */}
123
- <SignaturePad data-esign-signature data-signed={isSigned} />
124
- ```
125
-
126
- ## Consent Checkboxes
127
-
128
- Use the `data-esign-consent` attribute with a unique name:
129
-
130
- ```jsx
131
- <label>
132
- <input type="checkbox" data-esign-consent="terms" />
133
- I accept the terms
134
- </label>
135
-
136
- <label>
137
- <input type="checkbox" data-esign-consent="privacy" />
138
- I acknowledge the privacy policy
139
- </label>
140
- ```
141
-
142
- ## Field Population
143
-
144
- Replace placeholders in your document with dynamic data:
145
-
146
- ```jsx
147
- <SuperDocESign
148
- fields={[
149
- { alias: 'userName', value: 'John Doe' },
150
- { alias: 'date', value: new Date().toLocaleDateString() },
151
- { alias: 'company', value: 'Acme Inc.' }
152
- ]}
153
- />
66
+ ## Backend - Create Signed PDF
67
+
68
+ Use the SuperDoc API to create the final signed document:
69
+
70
+ ```javascript
71
+ // Node.js/Express
72
+ app.post('/api/sign', async (req, res) => {
73
+ const { eventId, auditTrail, documentFields, signerFields } = req.body;
74
+
75
+ // 1. Fill document fields
76
+ const annotated = await fetch('https://api.superdoc.dev/v1/annotate', {
77
+ method: 'POST',
78
+ headers: {
79
+ 'Authorization': `Bearer ${API_KEY}`,
80
+ 'Content-Type': 'application/json'
81
+ },
82
+ body: JSON.stringify({
83
+ document: 'template.docx',
84
+ fields: [...documentFields, ...signerFields]
85
+ })
86
+ });
87
+
88
+ // 2. Add digital signature
89
+ const signed = await fetch('https://api.superdoc.dev/v1/sign', {
90
+ method: 'POST',
91
+ headers: {
92
+ 'Authorization': `Bearer ${API_KEY}`,
93
+ 'Content-Type': 'application/json'
94
+ },
95
+ body: JSON.stringify({
96
+ document: await annotated.blob(),
97
+ auditTrail: auditTrail
98
+ })
99
+ });
100
+
101
+ // 3. Save PDF
102
+ await saveToStorage(await signed.blob(), `signed_${eventId}.pdf`);
103
+
104
+ res.json({ success: true });
105
+ });
154
106
  ```
155
107
 
156
- ## Audit Data
108
+ See [Python, Ruby, and more examples](https://docs.superdoc.dev/solutions/esign/backend).
157
109
 
158
- When a user accepts, you receive comprehensive audit data:
110
+ ## What You Receive
159
111
 
160
- ```typescript
112
+ ```javascript
161
113
  {
162
- timestamp: "2024-01-15T10:30:00.000Z",
163
- duration: 45, // seconds spent on document
164
- fields: [
165
- { id: "field1", alias: "userName", value: "John Doe" }
114
+ eventId: "session-123",
115
+ timestamp: "2024-01-15T10:30:00Z",
116
+ duration: 45000,
117
+ documentFields: [
118
+ { id: "employee_name", value: "Jane Smith" }
119
+ ],
120
+ signerFields: [
121
+ { id: "signature", value: "Jane Smith" },
122
+ { id: "accept_terms", value: true }
166
123
  ],
167
- scrolled: true,
168
- signed: true,
169
- consents: ["terms", "privacy"],
170
- signatureImage: "data:image/png;base64,..." // if canvas
124
+ auditTrail: [
125
+ { type: "ready", timestamp: "..." },
126
+ { type: "scroll", timestamp: "..." },
127
+ { type: "field_change", timestamp: "..." },
128
+ { type: "submit", timestamp: "..." }
129
+ ],
130
+ isFullyCompleted: true
171
131
  }
172
132
  ```
173
133
 
174
- ## TypeScript
175
-
176
- Full TypeScript support with exported types:
177
-
178
- ```typescript
179
- import SuperDocESign, {
180
- SuperDocESignHandle,
181
- Status,
182
- AuditData,
183
- FieldUpdate
184
- } from '@superdoc-dev/esign';
185
-
186
- const esignRef = useRef<SuperDocESignHandle>(null);
187
- const [status, setStatus] = useState<Status>({
188
- scroll: false,
189
- signature: false,
190
- consents: [],
191
- isValid: false
192
- });
193
-
194
- const handleAccept = async (data: AuditData) => {
195
- // Process acceptance
196
- };
197
- ```
198
-
199
- ## Examples
134
+ ## Documentation
200
135
 
201
- See the [examples](./examples) directory for complete implementations.
136
+ Full docs at [docs.superdoc.dev/solutions/esign](https://docs.superdoc.dev/solutions/esign)
202
137
 
203
138
  ## License
204
139
 
205
- MIT
140
+ AGPLv3
@@ -0,0 +1,4 @@
1
+ import { default as React } from 'react';
2
+ import { FieldComponentProps } from '../types';
3
+ export declare const ConsentCheckbox: React.FC<FieldComponentProps>;
4
+ //# sourceMappingURL=ConsentCheckbox.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"ConsentCheckbox.d.ts","sourceRoot":"","sources":["../../src/defaults/ConsentCheckbox.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,MAAM,OAAO,CAAC;AAC1B,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,UAAU,CAAC;AAEpD,eAAO,MAAM,eAAe,EAAE,KAAK,CAAC,EAAE,CAAC,mBAAmB,CAoBzD,CAAC"}
@@ -0,0 +1,4 @@
1
+ import { default as React } from 'react';
2
+ import { DownloadButtonProps, DownloadConfig } from '../types';
3
+ export declare const createDownloadButton: (config?: DownloadConfig) => React.FC<DownloadButtonProps>;
4
+ //# sourceMappingURL=DownloadButton.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"DownloadButton.d.ts","sourceRoot":"","sources":["../../src/defaults/DownloadButton.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,MAAM,OAAO,CAAC;AAC1B,OAAO,KAAK,EAAE,mBAAmB,EAAE,cAAc,EAAE,MAAM,UAAU,CAAC;AAEpE,eAAO,MAAM,oBAAoB,GAAI,SAAS,cAAc,kCA+B3D,CAAC"}
@@ -0,0 +1,4 @@
1
+ import { default as React } from 'react';
2
+ import { FieldComponentProps } from '../types';
3
+ export declare const SignatureInput: React.FC<FieldComponentProps>;
4
+ //# sourceMappingURL=SignatureInput.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"SignatureInput.d.ts","sourceRoot":"","sources":["../../src/defaults/SignatureInput.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,MAAM,OAAO,CAAC;AAC1B,OAAO,KAAK,EAAE,mBAAmB,EAAE,MAAM,UAAU,CAAC;AAEpD,eAAO,MAAM,cAAc,EAAE,KAAK,CAAC,EAAE,CAAC,mBAAmB,CAsBxD,CAAC"}
@@ -0,0 +1,4 @@
1
+ import { default as React } from 'react';
2
+ import { SubmitButtonProps, SubmitConfig } from '../types';
3
+ export declare const createSubmitButton: (config?: SubmitConfig) => React.FC<SubmitButtonProps>;
4
+ //# sourceMappingURL=SubmitButton.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"SubmitButton.d.ts","sourceRoot":"","sources":["../../src/defaults/SubmitButton.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,MAAM,OAAO,CAAC;AAC1B,OAAO,KAAK,EAAE,iBAAiB,EAAE,YAAY,EAAE,MAAM,UAAU,CAAC;AAEhE,eAAO,MAAM,kBAAkB,GAAI,SAAS,YAAY,gCAkCvD,CAAC"}
@@ -0,0 +1,5 @@
1
+ export { SignatureInput } from './SignatureInput';
2
+ export { ConsentCheckbox } from './ConsentCheckbox';
3
+ export { createDownloadButton } from './DownloadButton';
4
+ export { createSubmitButton } from './SubmitButton';
5
+ //# sourceMappingURL=index.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../src/defaults/index.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,cAAc,EAAE,MAAM,kBAAkB,CAAC;AAClD,OAAO,EAAE,eAAe,EAAE,MAAM,mBAAmB,CAAC;AACpD,OAAO,EAAE,oBAAoB,EAAE,MAAM,kBAAkB,CAAC;AACxD,OAAO,EAAE,kBAAkB,EAAE,MAAM,gBAAgB,CAAC"}
package/dist/index.d.ts CHANGED
@@ -1,62 +1,7 @@
1
- import { default as React } from 'react';
2
- import { SuperDoc } from 'superdoc';
3
- export interface FieldUpdate {
4
- id?: string;
5
- alias?: string;
6
- value: any;
7
- }
8
- export interface Status {
9
- scroll: boolean;
10
- signature: boolean;
11
- consents: string[];
12
- isValid: boolean;
13
- }
14
- export interface AuditData {
15
- timestamp: string;
16
- duration: number;
17
- fields: FieldUpdate[];
18
- scrolled: boolean;
19
- signed: boolean;
20
- consents: string[];
21
- signatureImage?: string;
22
- }
23
- export interface FieldInfo {
24
- id: string;
25
- label?: string;
26
- value?: any;
27
- }
28
- export interface DownloadRequestData {
29
- blob: Blob;
30
- fields: FieldInfo[];
31
- }
32
- export interface SuperDocESignProps {
33
- document: string | File | Blob;
34
- requirements?: {
35
- scroll?: boolean;
36
- signature?: boolean;
37
- consents?: string[];
38
- };
39
- fields?: FieldUpdate[];
40
- signatureSelector?: string;
41
- consentSelector?: string;
42
- downloadSelector?: string;
43
- onReady?: () => void;
44
- onChange?: (status: Status) => void;
45
- onAccept?: (data: AuditData) => void | Promise<void>;
46
- onFieldsDiscovered?: (fields: FieldInfo[]) => void;
47
- onDownloadRequest?: (data: DownloadRequestData) => void | Promise<void>;
48
- className?: string;
49
- style?: React.CSSProperties;
50
- }
51
- export interface SuperDocESignHandle {
52
- accept: () => Promise<AuditData | false>;
53
- reset: () => void;
54
- updateFields: (fields: FieldUpdate[]) => void;
55
- getStatus: () => Status;
56
- getFields: () => FieldInfo[];
57
- requestDownload: () => Promise<DownloadRequestData | false>;
58
- superdoc: SuperDoc | null;
59
- }
60
- declare const SuperDocESign: React.ForwardRefExoticComponent<SuperDocESignProps & React.RefAttributes<SuperDocESignHandle>>;
1
+ import { SignatureInput, ConsentCheckbox } from './defaults';
2
+ import type * as Types from "./types";
3
+ export * from './types';
4
+ export { SignatureInput, ConsentCheckbox };
5
+ declare const SuperDocESign: import('react').ForwardRefExoticComponent<Types.SuperDocESignProps & import('react').RefAttributes<any>>;
61
6
  export default SuperDocESign;
62
7
  //# sourceMappingURL=index.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../src/index.tsx"],"names":[],"mappings":"AAAA,OAAO,KAON,MAAM,OAAO,CAAC;AACf,OAAO,KAAK,EAAE,QAAQ,EAAE,MAAM,UAAU,CAAC;AAGzC,MAAM,WAAW,WAAW;IAC1B,EAAE,CAAC,EAAE,MAAM,CAAC;IACZ,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,KAAK,EAAE,GAAG,CAAC;CACZ;AAED,MAAM,WAAW,MAAM;IACrB,MAAM,EAAE,OAAO,CAAC;IAChB,SAAS,EAAE,OAAO,CAAC;IACnB,QAAQ,EAAE,MAAM,EAAE,CAAC;IACnB,OAAO,EAAE,OAAO,CAAC;CAClB;AAED,MAAM,WAAW,SAAS;IACxB,SAAS,EAAE,MAAM,CAAC;IAClB,QAAQ,EAAE,MAAM,CAAC;IACjB,MAAM,EAAE,WAAW,EAAE,CAAC;IACtB,QAAQ,EAAE,OAAO,CAAC;IAClB,MAAM,EAAE,OAAO,CAAC;IAChB,QAAQ,EAAE,MAAM,EAAE,CAAC;IACnB,cAAc,CAAC,EAAE,MAAM,CAAC;CACzB;AAED,MAAM,WAAW,SAAS;IACxB,EAAE,EAAE,MAAM,CAAC;IACX,KAAK,CAAC,EAAE,MAAM,CAAC;IACf,KAAK,CAAC,EAAE,GAAG,CAAC;CACb;AAED,MAAM,WAAW,mBAAmB;IAClC,IAAI,EAAE,IAAI,CAAC;IACX,MAAM,EAAE,SAAS,EAAE,CAAC;CACrB;AAED,MAAM,WAAW,kBAAkB;IAEjC,QAAQ,EAAE,MAAM,GAAG,IAAI,GAAG,IAAI,CAAC;IAG/B,YAAY,CAAC,EAAE;QACb,MAAM,CAAC,EAAE,OAAO,CAAC;QACjB,SAAS,CAAC,EAAE,OAAO,CAAC;QACpB,QAAQ,CAAC,EAAE,MAAM,EAAE,CAAC;KACrB,CAAC;IAGF,MAAM,CAAC,EAAE,WAAW,EAAE,CAAC;IAGvB,iBAAiB,CAAC,EAAE,MAAM,CAAC;IAC3B,eAAe,CAAC,EAAE,MAAM,CAAC;IACzB,gBAAgB,CAAC,EAAE,MAAM,CAAC;IAG1B,OAAO,CAAC,EAAE,MAAM,IAAI,CAAC;IACrB,QAAQ,CAAC,EAAE,CAAC,MAAM,EAAE,MAAM,KAAK,IAAI,CAAC;IACpC,QAAQ,CAAC,EAAE,CAAC,IAAI,EAAE,SAAS,KAAK,IAAI,GAAG,OAAO,CAAC,IAAI,CAAC,CAAC;IACrD,kBAAkB,CAAC,EAAE,CAAC,MAAM,EAAE,SAAS,EAAE,KAAK,IAAI,CAAC;IACnD,iBAAiB,CAAC,EAAE,CAAC,IAAI,EAAE,mBAAmB,KAAK,IAAI,GAAG,OAAO,CAAC,IAAI,CAAC,CAAC;IAGxE,SAAS,CAAC,EAAE,MAAM,CAAC;IACnB,KAAK,CAAC,EAAE,KAAK,CAAC,aAAa,CAAC;CAC7B;AAED,MAAM,WAAW,mBAAmB;IAClC,MAAM,EAAE,MAAM,OAAO,CAAC,SAAS,GAAG,KAAK,CAAC,CAAC;IACzC,KAAK,EAAE,MAAM,IAAI,CAAC;IAClB,YAAY,EAAE,CAAC,MAAM,EAAE,WAAW,EAAE,KAAK,IAAI,CAAC;IAC9C,SAAS,EAAE,MAAM,MAAM,CAAC;IACxB,SAAS,EAAE,MAAM,SAAS,EAAE,CAAC;IAC7B,eAAe,EAAE,MAAM,OAAO,CAAC,mBAAmB,GAAG,KAAK,CAAC,CAAC;IAC5D,QAAQ,EAAE,QAAQ,GAAG,IAAI,CAAC;CAC3B;AAED,QAAA,MAAM,aAAa,gGAkclB,CAAC;AAIF,eAAe,aAAa,CAAC"}
1
+ {"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../src/index.tsx"],"names":[],"mappings":"AASA,OAAO,KAAK,KAAK,KAAK,MAAM,SAAS,CAAC;AACtC,OAAO,EACL,cAAc,EACd,eAAe,EAGhB,MAAM,YAAY,CAAC;AAEpB,cAAc,SAAS,CAAC;AACxB,OAAO,EAAE,cAAc,EAAE,eAAe,EAAE,CAAC;AAI3C,QAAA,MAAM,aAAa,0GA2alB,CAAC;AAIF,eAAe,aAAa,CAAC"}
package/dist/index.js CHANGED
@@ -1,4 +1,4 @@
1
- "use strict";var re=Object.create;var B=Object.defineProperty;var ne=Object.getOwnPropertyDescriptor;var ae=Object.getOwnPropertyNames;var se=Object.getPrototypeOf,oe=Object.prototype.hasOwnProperty;var ce=(l,s,d,f)=>{if(s&&typeof s=="object"||typeof s=="function")for(let o of ae(s))!oe.call(l,o)&&o!==d&&B(l,o,{get:()=>s[o],enumerable:!(f=ne(s,o))||f.enumerable});return l};var le=(l,s,d)=>(d=l!=null?re(se(l)):{},ce(s||!l||!l.__esModule?B(d,"default",{value:l,enumerable:!0}):d,l));const c=require("react");var G={exports:{}},L={};/**
1
+ "use strict";var ue=Object.create;var ee=Object.defineProperty;var de=Object.getOwnPropertyDescriptor;var fe=Object.getOwnPropertyNames;var me=Object.getPrototypeOf,pe=Object.prototype.hasOwnProperty;var ge=(l,f,u,s)=>{if(f&&typeof f=="object"||typeof f=="function")for(let n of fe(f))!pe.call(l,n)&&n!==u&&ee(l,n,{get:()=>f[n],enumerable:!(s=de(f,n))||s.enumerable});return l};var ve=(l,f,u)=>(u=l!=null?ue(me(l)):{},ge(f||!l||!l.__esModule?ee(u,"default",{value:l,enumerable:!0}):u,l));Object.defineProperties(exports,{__esModule:{value:!0},[Symbol.toStringTag]:{value:"Module"}});const d=require("react");var X={exports:{}},$={};/**
2
2
  * @license React
3
3
  * react-jsx-runtime.production.js
4
4
  *
@@ -6,7 +6,7 @@
6
6
  *
7
7
  * This source code is licensed under the MIT license found in the
8
8
  * LICENSE file in the root directory of this source tree.
9
- */var Z;function ue(){if(Z)return L;Z=1;var l=Symbol.for("react.transitional.element"),s=Symbol.for("react.fragment");function d(f,o,m){var S=null;if(m!==void 0&&(S=""+m),o.key!==void 0&&(S=""+o.key),"key"in o){m={};for(var h in o)h!=="key"&&(m[h]=o[h])}else m=o;return o=m.ref,{$$typeof:l,type:f,key:S,ref:o!==void 0?o:null,props:m}}return L.Fragment=s,L.jsx=d,L.jsxs=d,L}var F={};/**
9
+ */var te;function be(){if(te)return $;te=1;var l=Symbol.for("react.transitional.element"),f=Symbol.for("react.fragment");function u(s,n,m){var b=null;if(m!==void 0&&(b=""+m),n.key!==void 0&&(b=""+n.key),"key"in n){m={};for(var _ in n)_!=="key"&&(m[_]=n[_])}else m=n;return n=m.ref,{$$typeof:l,type:s,key:b,ref:n!==void 0?n:null,props:m}}return $.Fragment=f,$.jsx=u,$.jsxs=u,$}var L={};/**
10
10
  * @license React
11
11
  * react-jsx-runtime.development.js
12
12
  *
@@ -14,9 +14,9 @@
14
14
  *
15
15
  * This source code is licensed under the MIT license found in the
16
16
  * LICENSE file in the root directory of this source tree.
17
- */var Q;function ie(){return Q||(Q=1,process.env.NODE_ENV!=="production"&&(function(){function l(e){if(e==null)return null;if(typeof e=="function")return e.$$typeof===_?null:e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case E:return"Fragment";case R:return"Profiler";case W:return"StrictMode";case k:return"Suspense";case q:return"SuspenseList";case J:return"Activity"}if(typeof e=="object")switch(typeof e.tag=="number"&&console.error("Received an unexpected object in getComponentNameFromType(). This is likely a bug in React. Please file an issue."),e.$$typeof){case $:return"Portal";case v:return e.displayName||"Context";case U:return(e._context.displayName||"Context")+".Consumer";case z:var t=e.render;return e=e.displayName,e||(e=t.displayName||t.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case T:return t=e.displayName||null,t!==null?t:l(e.type)||"Memo";case g:t=e._payload,e=e._init;try{return l(e(t))}catch{}}return null}function s(e){return""+e}function d(e){try{s(e);var t=!1}catch{t=!0}if(t){t=console;var r=t.error,n=typeof Symbol=="function"&&Symbol.toStringTag&&e[Symbol.toStringTag]||e.constructor.name||"Object";return r.call(t,"The provided key is an unsupported type %s. This value must be coerced to a string before using it here.",n),s(e)}}function f(e){if(e===E)return"<>";if(typeof e=="object"&&e!==null&&e.$$typeof===g)return"<...>";try{var t=l(e);return t?"<"+t+">":"<...>"}catch{return"<...>"}}function o(){var e=x.A;return e===null?null:e.getOwner()}function m(){return Error("react-stack-top-frame")}function S(e){if(C.call(e,"key")){var t=Object.getOwnPropertyDescriptor(e,"key").get;if(t&&t.isReactWarning)return!1}return e.key!==void 0}function h(e,t){function r(){P||(P=!0,console.error("%s: `key` is not a prop. Trying to access it will result in `undefined` being returned. If you need to access the same value within the child component, you should pass it as a different prop. (https://react.dev/link/special-props)",t))}r.isReactWarning=!0,Object.defineProperty(e,"key",{get:r,configurable:!0})}function Y(){var e=l(this.type);return N[e]||(N[e]=!0,console.error("Accessing element.ref was removed in React 19. ref is now a regular prop. It will be removed from the JSX Element type in a future release.")),e=this.props.ref,e!==void 0?e:null}function H(e,t,r,n,u,i){var a=r.ref;return e={$$typeof:p,type:e,key:t,props:r,_owner:n},(a!==void 0?a:null)!==null?Object.defineProperty(e,"ref",{enumerable:!1,get:Y}):Object.defineProperty(e,"ref",{enumerable:!1,value:null}),e._store={},Object.defineProperty(e._store,"validated",{configurable:!1,enumerable:!1,writable:!0,value:0}),Object.defineProperty(e,"_debugInfo",{configurable:!1,enumerable:!1,writable:!0,value:null}),Object.defineProperty(e,"_debugStack",{configurable:!1,enumerable:!1,writable:!0,value:u}),Object.defineProperty(e,"_debugTask",{configurable:!1,enumerable:!1,writable:!0,value:i}),Object.freeze&&(Object.freeze(e.props),Object.freeze(e)),e}function A(e,t,r,n,u,i){var a=t.children;if(a!==void 0)if(n)if(X(a)){for(n=0;n<a.length;n++)M(a[n]);Object.freeze&&Object.freeze(a)}else console.error("React.jsx: Static children should always be an array. You are likely explicitly calling React.jsxs or React.jsxDEV. Use the Babel transform instead.");else M(a);if(C.call(t,"key")){a=l(e);var b=Object.keys(t).filter(function(te){return te!=="key"});n=0<b.length?"{key: someKey, "+b.join(": ..., ")+": ...}":"{key: someKey}",w[a+n]||(b=0<b.length?"{"+b.join(": ..., ")+": ...}":"{}",console.error(`A props object containing a "key" prop is being spread into JSX:
17
+ */var re;function he(){return re||(re=1,process.env.NODE_ENV!=="production"&&(function(){function l(e){if(e==null)return null;if(typeof e=="function")return e.$$typeof===Q?null:e.displayName||e.name||null;if(typeof e=="string")return e;switch(e){case y:return"Fragment";case E:return"Profiler";case W:return"StrictMode";case T:return"Suspense";case B:return"SuspenseList";case J:return"Activity"}if(typeof e=="object")switch(typeof e.tag=="number"&&console.error("Received an unexpected object in getComponentNameFromType(). This is likely a bug in React. Please file an issue."),e.$$typeof){case Z:return"Portal";case w:return e.displayName||"Context";case V:return(e._context.displayName||"Context")+".Consumer";case z:var a=e.render;return e=e.displayName,e||(e=a.displayName||a.name||"",e=e!==""?"ForwardRef("+e+")":"ForwardRef"),e;case I:return a=e.displayName||null,a!==null?a:l(e.type)||"Memo";case O:a=e._payload,e=e._init;try{return l(e(a))}catch{}}return null}function f(e){return""+e}function u(e){try{f(e);var a=!1}catch{a=!0}if(a){a=console;var i=a.error,p=typeof Symbol=="function"&&Symbol.toStringTag&&e[Symbol.toStringTag]||e.constructor.name||"Object";return i.call(a,"The provided key is an unsupported type %s. This value must be coerced to a string before using it here.",p),f(e)}}function s(e){if(e===y)return"<>";if(typeof e=="object"&&e!==null&&e.$$typeof===O)return"<...>";try{var a=l(e);return a?"<"+a+">":"<...>"}catch{return"<...>"}}function n(){var e=k.A;return e===null?null:e.getOwner()}function m(){return Error("react-stack-top-frame")}function b(e){if(x.call(e,"key")){var a=Object.getOwnPropertyDescriptor(e,"key").get;if(a&&a.isReactWarning)return!1}return e.key!==void 0}function _(e,a){function i(){j||(j=!0,console.error("%s: `key` is not a prop. Trying to access it will result in `undefined` being returned. If you need to access the same value within the child component, you should pass it as a different prop. (https://react.dev/link/special-props)",a))}i.isReactWarning=!0,Object.defineProperty(e,"key",{get:i,configurable:!0})}function P(){var e=l(this.type);return H[e]||(H[e]=!0,console.error("Accessing element.ref was removed in React 19. ref is now a regular prop. It will be removed from the JSX Element type in a future release.")),e=this.props.ref,e!==void 0?e:null}function U(e,a,i,p,N,Y){var t=i.ref;return e={$$typeof:q,type:e,key:a,props:i,_owner:p},(t!==void 0?t:null)!==null?Object.defineProperty(e,"ref",{enumerable:!1,get:P}):Object.defineProperty(e,"ref",{enumerable:!1,value:null}),e._store={},Object.defineProperty(e._store,"validated",{configurable:!1,enumerable:!1,writable:!0,value:0}),Object.defineProperty(e,"_debugInfo",{configurable:!1,enumerable:!1,writable:!0,value:null}),Object.defineProperty(e,"_debugStack",{configurable:!1,enumerable:!1,writable:!0,value:N}),Object.defineProperty(e,"_debugTask",{configurable:!1,enumerable:!1,writable:!0,value:Y}),Object.freeze&&(Object.freeze(e.props),Object.freeze(e)),e}function D(e,a,i,p,N,Y){var t=a.children;if(t!==void 0)if(p)if(K(t)){for(p=0;p<t.length;p++)F(t[p]);Object.freeze&&Object.freeze(t)}else console.error("React.jsx: Static children should always be an array. You are likely explicitly calling React.jsxs or React.jsxDEV. Use the Babel transform instead.");else F(t);if(x.call(a,"key")){t=l(e);var r=Object.keys(a).filter(function(g){return g!=="key"});p=0<r.length?"{key: someKey, "+r.join(": ..., ")+": ...}":"{key: someKey}",G[t+p]||(r=0<r.length?"{"+r.join(": ..., ")+": ...}":"{}",console.error(`A props object containing a "key" prop is being spread into JSX:
18
18
  let props = %s;
19
19
  <%s {...props} />
20
20
  React keys must be passed directly to JSX without using spread:
21
21
  let props = %s;
22
- <%s key={someKey} {...props} />`,n,a,b,a),w[a+n]=!0)}if(a=null,r!==void 0&&(d(r),a=""+r),S(t)&&(d(t.key),a=""+t.key),"key"in t){r={};for(var I in t)I!=="key"&&(r[I]=t[I])}else r=t;return a&&h(r,typeof e=="function"?e.displayName||e.name||"Unknown":e),H(e,a,r,o(),u,i)}function M(e){V(e)?e._store&&(e._store.validated=1):typeof e=="object"&&e!==null&&e.$$typeof===g&&(e._payload.status==="fulfilled"?V(e._payload.value)&&e._payload.value._store&&(e._payload.value._store.validated=1):e._store&&(e._store.validated=1))}function V(e){return typeof e=="object"&&e!==null&&e.$$typeof===p}var y=c,p=Symbol.for("react.transitional.element"),$=Symbol.for("react.portal"),E=Symbol.for("react.fragment"),W=Symbol.for("react.strict_mode"),R=Symbol.for("react.profiler"),U=Symbol.for("react.consumer"),v=Symbol.for("react.context"),z=Symbol.for("react.forward_ref"),k=Symbol.for("react.suspense"),q=Symbol.for("react.suspense_list"),T=Symbol.for("react.memo"),g=Symbol.for("react.lazy"),J=Symbol.for("react.activity"),_=Symbol.for("react.client.reference"),x=y.__CLIENT_INTERNALS_DO_NOT_USE_OR_WARN_USERS_THEY_CANNOT_UPGRADE,C=Object.prototype.hasOwnProperty,X=Array.isArray,O=console.createTask?console.createTask:function(){return null};y={react_stack_bottom_frame:function(e){return e()}};var P,N={},j=y.react_stack_bottom_frame.bind(y,m)(),D=O(f(m)),w={};F.Fragment=E,F.jsx=function(e,t,r){var n=1e4>x.recentlyCreatedOwnerStacks++;return A(e,t,r,!1,n?Error("react-stack-top-frame"):j,n?O(f(e)):D)},F.jsxs=function(e,t,r){var n=1e4>x.recentlyCreatedOwnerStacks++;return A(e,t,r,!0,n?Error("react-stack-top-frame"):j,n?O(f(e)):D)}})()),F}var K;function fe(){return K||(K=1,process.env.NODE_ENV==="production"?G.exports=ue():G.exports=ie()),G.exports}var de=fe();const ee=c.forwardRef(({document:l,requirements:s={},fields:d=[],signatureSelector:f="[data-esign-signature]",consentSelector:o="[data-esign-consent]",downloadSelector:m="[data-esign-download]",onReady:S,onChange:h,onAccept:Y,onFieldsDiscovered:H,onDownloadRequest:A,className:M,style:V},y)=>{const[p,$]=c.useState(!1),[E,W]=c.useState(!1),[R,U]=c.useState(new Set),[v,z]=c.useState(new Map),[k,q]=c.useState(!1),T=c.useRef(null),g=c.useRef(null),J=c.useRef(Date.now()),_=c.useCallback(()=>{const t=(s.consents||[]).every(r=>R.has(r));return{scroll:!s.scroll||p,signature:!s.signature||E,consents:Array.from(R),isValid:(!s.scroll||p)&&(!s.signature||E)&&t}},[p,E,R,s]);c.useEffect(()=>T.current?((async()=>{const{SuperDoc:t}=await import("superdoc"),r=new t({selector:T.current,document:l,documentMode:"viewing",onReady:()=>{q(!0),x(r),S?.()},onException:({error:n})=>{console.error("SuperDoc error:",n)}});g.current=r})(),()=>{g.current?.destroy?.(),g.current=null}):void 0,[l]);const x=e=>{if(!e.activeEditor)return;const t=e.activeEditor,r=t.helpers.structuredContentCommands.getStructuredContentTags(t.state),n=new Map;d.forEach(i=>{const a=i.id||i.alias;a&&n.set(a,i.value)});const u=r.map(({node:i})=>{const a=i.attrs.id,b=i.attrs.alias,I=n.get(a)??n.get(b);return{id:a,label:b,value:I??i.textContent??""}});if(u.length>0){const i=new Map(u.map(a=>[a.id,a]));z(i),H?.(u),d.forEach(a=>{C(a)})}},C=e=>{if(!g.current?.activeEditor)return;const t=g.current.activeEditor,r=String(e.value);e.id?t.commands.updateStructuredContentById(e.id,{text:r}):e.alias&&t.commands.updateStructuredContentByAlias(e.alias,{text:r})};c.useEffect(()=>{if(!s.scroll||!k)return;const e=T.current;if(!e)return;const t=()=>{const{scrollTop:r,scrollHeight:n,clientHeight:u}=e;(r/(n-u)>=.95||n<=u)&&$(!0)};return e.addEventListener("scroll",t),t(),()=>e.removeEventListener("scroll",t)},[s.scroll,k]),c.useEffect(()=>{if(!s.signature)return;const e=()=>{const n=globalThis.document.querySelector(f);if(!n)return;const u=X(n);W(u)},t=new MutationObserver(e);t.observe(globalThis.document.body,{childList:!0,subtree:!0,attributes:!0,attributeFilter:["value","data-signed"]});const r=n=>{n.target.matches(f)&&e()};return globalThis.document.addEventListener("input",r,!0),globalThis.document.addEventListener("change",r,!0),e(),()=>{t.disconnect(),globalThis.document.removeEventListener("input",r,!0),globalThis.document.removeEventListener("change",r,!0)}},[s.signature,f]),c.useEffect(()=>{if(!s.consents||s.consents.length===0)return;const e=()=>{const r=globalThis.document.querySelectorAll(o),n=new Set;r.forEach(u=>{const i=u.name||u.dataset.esignConsent||u.id;i&&u.checked&&n.add(i)}),U(n)},t=r=>{r.target.matches(o)&&e()};return globalThis.document.addEventListener("change",t,!0),e(),()=>{globalThis.document.removeEventListener("change",t,!0)}},[s.consents,o]);const X=e=>{if(!e)return!1;if(e.tagName==="CANVAS"){const t=e,r=t.getContext("2d");return r?r.getImageData(0,0,t.width,t.height).data.some(u=>u!==0&&u!==255):!1}return"value"in e?!!e.value?.trim():e.dataset.signed==="true"},O=()=>{const e=globalThis.document.querySelector(f);if(e?.dataset.signatureImage)return e.dataset.signatureImage;if(e?.tagName==="CANVAS")return e.toDataURL("image/png")};c.useEffect(()=>{const e=_();h?.(e)},[p,E,R,s,_,h]);const P=c.useCallback(async()=>{if(!_().isValid)return!1;const t=Array.from(v.values()).map(n=>({id:n.id,alias:n.label,value:n.value})),r={timestamp:new Date().toISOString(),duration:Math.round((Date.now()-J.current)/1e3),fields:t,scrolled:p,signed:E,consents:Array.from(R),signatureImage:O()};return await Y?.(r),r},[v,p,E,R,_,Y]),N=c.useCallback(()=>{$(!1),W(!1),U(new Set),J.current=Date.now(),T.current&&(T.current.scrollTop=0);const e=globalThis.document.querySelector(f);e&&(e.tagName==="CANVAS"?e.getContext("2d")?.clearRect(0,0,e.clientWidth,e.clientHeight):"value"in e&&(e.value=""),e.dataset.signed="false"),globalThis.document.querySelectorAll(o).forEach(r=>{r.checked=!1})},[f,o]),j=c.useCallback(e=>{e.forEach(t=>{C(t);const r=v.get(t.id||"");r&&(r.value=t.value,z(new Map(v)))})},[v]),D=c.useCallback(()=>Array.from(v.values()),[v]),w=c.useCallback(async()=>{if(!g.current)return!1;try{const e=await g.current.export({exportType:["docx"],isFinalDoc:!0,triggerDownload:!1});if(!e)return!1;const t={blob:e,fields:Array.from(v.values())};return await A?.(t),t}catch(e){return console.error("Download request failed:",e),!1}},[v,A]);return c.useEffect(()=>{if(!k)return;const e=r=>{r.preventDefault(),w()},t=globalThis.document.querySelectorAll(m);return t.forEach(r=>{r.addEventListener("click",e)}),()=>{t.forEach(r=>{r.removeEventListener("click",e)})}},[m,k,w]),c.useImperativeHandle(y,()=>({accept:P,reset:N,updateFields:j,getStatus:_,getFields:D,requestDownload:w,superdoc:g.current}),[P,N,j,_,D,w]),de.jsx("div",{ref:T,className:`superdoc-esign ${M||""}`,"data-superdoc":"esign",style:V})});ee.displayName="SuperDocESign";module.exports=ee;
22
+ <%s key={someKey} {...props} />`,p,t,r,t),G[t+p]=!0)}if(t=null,i!==void 0&&(u(i),t=""+i),b(a)&&(u(a.key),t=""+a.key),"key"in a){i={};for(var o in a)o!=="key"&&(i[o]=a[o])}else i=a;return t&&_(i,typeof e=="function"?e.displayName||e.name||"Unknown":e),U(e,t,i,n(),N,Y)}function F(e){h(e)?e._store&&(e._store.validated=1):typeof e=="object"&&e!==null&&e.$$typeof===O&&(e._payload.status==="fulfilled"?h(e._payload.value)&&e._payload.value._store&&(e._payload.value._store.validated=1):e._store&&(e._store.validated=1))}function h(e){return typeof e=="object"&&e!==null&&e.$$typeof===q}var A=d,q=Symbol.for("react.transitional.element"),Z=Symbol.for("react.portal"),y=Symbol.for("react.fragment"),W=Symbol.for("react.strict_mode"),E=Symbol.for("react.profiler"),V=Symbol.for("react.consumer"),w=Symbol.for("react.context"),z=Symbol.for("react.forward_ref"),T=Symbol.for("react.suspense"),B=Symbol.for("react.suspense_list"),I=Symbol.for("react.memo"),O=Symbol.for("react.lazy"),J=Symbol.for("react.activity"),Q=Symbol.for("react.client.reference"),k=A.__CLIENT_INTERNALS_DO_NOT_USE_OR_WARN_USERS_THEY_CANNOT_UPGRADE,x=Object.prototype.hasOwnProperty,K=Array.isArray,R=console.createTask?console.createTask:function(){return null};A={react_stack_bottom_frame:function(e){return e()}};var j,H={},M=A.react_stack_bottom_frame.bind(A,m)(),C=R(s(m)),G={};L.Fragment=y,L.jsx=function(e,a,i){var p=1e4>k.recentlyCreatedOwnerStacks++;return D(e,a,i,!1,p?Error("react-stack-top-frame"):M,p?R(s(e)):C)},L.jsxs=function(e,a,i){var p=1e4>k.recentlyCreatedOwnerStacks++;return D(e,a,i,!0,p?Error("react-stack-top-frame"):M,p?R(s(e)):C)}})()),L}var ne;function Ee(){return ne||(ne=1,process.env.NODE_ENV==="production"?X.exports=be():X.exports=he()),X.exports}var v=Ee();const ae=({value:l,onChange:f,isDisabled:u,label:s})=>v.jsxs("div",{className:"superdoc-esign-signature-input",style:{display:"flex",flexDirection:"column",gap:"8px"},children:[s&&v.jsx("label",{children:s}),v.jsx("input",{type:"text",value:String(l||""),onChange:n=>f(n.target.value),disabled:u,placeholder:"Type your full name",style:{fontFamily:"cursive",fontSize:"18px"}})]}),oe=({value:l,onChange:f,isDisabled:u,label:s})=>v.jsxs("label",{className:"superdoc-esign-consent-checkbox",style:{display:"flex",gap:"8px"},children:[v.jsx("input",{type:"checkbox",checked:!!l,onChange:n=>f(n.target.checked),disabled:u}),v.jsx("span",{children:s})]}),xe=l=>({onClick:u,fileName:s,isDisabled:n})=>{const m=l?.label||"Download";return v.jsxs("button",{onClick:u,disabled:n,className:"superdoc-esign-btn",style:{padding:"10px 20px",borderRadius:"6px",border:"none",background:"#fff",color:"#333",cursor:n?"not-allowed":"pointer",opacity:n?.5:1,fontSize:"16px",fontWeight:"bold"},children:[m," ",s&&`(${s})`]})},Re=l=>({onClick:u,isValid:s,isDisabled:n,isSubmitting:m})=>{const b=()=>l?.label||"Submit";return v.jsx("button",{onClick:u,disabled:!s||n||m,className:"superdoc-esign-btn",style:{padding:"12px 24px",borderRadius:"6px",border:"none",background:"#007bff",color:"#fff",cursor:!s||n?"not-allowed":"pointer",opacity:!s||n?.5:1,fontSize:"16px",fontWeight:"bold"},children:b()})},se=d.forwardRef((l,f)=>{const{eventId:u,document:s,fields:n={},download:m,submit:b,onSubmit:_,onDownload:P,onStateChange:U,onFieldChange:D,onFieldsDiscovered:F,isDisabled:h=!1,className:A,style:q,documentHeight:Z="600px"}=l,[y,W]=d.useState(!s.validation?.scroll?.required),[E,V]=d.useState(new Map),[w,z]=d.useState(!1),[T,B]=d.useState(!1),[I,O]=d.useState([]),[J,Q]=d.useState(!1),k=d.useRef(null),x=d.useRef(null),K=d.useRef(Date.now()),R=d.useRef(n);R.current=n;const j=d.useCallback(t=>{if(!x.current?.activeEditor)return;const r=x.current.activeEditor,o=R.current.signer?.find(c=>c.id===t.id);let g;o?.type==="signature"&&t.value?g={json:{type:"image",attrs:{src:typeof t.value=="string"&&t.value.startsWith("data:image/")?t.value:H(String(t.value)),alt:"Signature"}}}:g={text:String(t.value??"")},t.id&&r.commands.updateStructuredContentById(t.id,g)},[]);function H(t){const r=globalThis.document.createElement("canvas"),o=r.getContext("2d"),g=30;o.font=`italic ${g}px cursive`;const S=o.measureText(t).width,le=g*1.3,ce=4,ie=6;return r.width=Math.ceil(S+ce*2)+20,r.height=Math.ceil(le+ie*2),o.font=`italic ${g}px cursive`,o.fillStyle="black",o.textAlign="center",o.textBaseline="middle",o.fillText(t,r.width/2,r.height/2),r.toDataURL("image/png")}const M=d.useCallback(t=>{if(!t)return;const r=t.helpers.structuredContentCommands.getStructuredContentTags(t.state),o=new Map;R.current.document?.forEach(c=>{c.id&&o.set(c.id,c.value)}),R.current.signer?.forEach(c=>{c.value!==void 0&&o.set(c.id,c.value)});const g=r.map(({node:c})=>({id:c.attrs.id,label:c.attrs.label,value:o.get(c.attrs.id)??c.textContent??""})).filter(c=>c.id);g.length>0&&(F?.(g),[...R.current.document||[],...R.current.signer||[]].filter(S=>S.value!==void 0).forEach(S=>j({id:S.id,value:S.value})))},[F,j]),C=t=>{const r={...t,timestamp:new Date().toISOString()};O(o=>[...o,r])};d.useEffect(()=>k.current?((async()=>{const{SuperDoc:r}=await import("superdoc"),o=new r({selector:k.current,document:s.source,documentMode:"viewing",onReady:()=>{o.activeEditor&&M(o.activeEditor),C({type:"ready"}),Q(!0)}});x.current=o})(),()=>{x.current&&(x.current.destroy(),x.current=null)}):void 0,[s.source,s.mode,M]),d.useEffect(()=>{if(!s.validation?.scroll?.required||!J)return;const t=k.current;if(!t)return;const r=()=>{const{scrollTop:o,scrollHeight:g,clientHeight:c}=t,S=o/(g-c);(S>=.95||g<=c)&&(W(!0),C({type:"scroll",data:{percent:Math.round(S*100)}}))};return t.addEventListener("scroll",r),r(),()=>t.removeEventListener("scroll",r)},[s.validation?.scroll?.required,J]);const G=d.useCallback((t,r)=>{V(o=>{const g=o.get(t),c=new Map(o);return c.set(t,r),j({id:t,value:r}),C({type:"field_change",data:{fieldId:t,value:r,previousValue:g}}),D?.({id:t,value:r,previousValue:g}),c})},[D,j]),e=d.useCallback(()=>s.validation?.scroll?.required&&!y?!1:(n.signer||[]).every(t=>{if(!t.validation?.required)return!0;const r=E.get(t.id);return r&&(typeof r!="string"||r.trim())}),[y,n.signer,E,s.validation?.scroll?.required]);d.useEffect(()=>{const t=e();z(t),U?.({scrolled:y,fields:E,isValid:t,isSubmitting:T})},[y,E,T,e,U]);const a=d.useCallback(async()=>{if(h)return;const t=await x.current?.export({exportType:["pdf"],isFinalDoc:!0,triggerDownload:!1});if(t&&P)P(t,m?.fileName||"document.pdf");else if(t){const r=URL.createObjectURL(t),o=globalThis.document.createElement("a");o.href=r,o.download=m?.fileName||"document.pdf",o.click(),URL.revokeObjectURL(r)}},[h,m,P]),i=d.useCallback(async()=>{if(!w||h||T)return;B(!0),C({type:"submit"});const t={eventId:u,timestamp:new Date().toISOString(),duration:Math.floor((Date.now()-K.current)/1e3),auditTrail:I,documentFields:n.document||[],signerFields:(n.signer||[]).map(r=>({id:r.id,value:E.get(r.id)??null})),isFullyCompleted:w};try{await _(t)}finally{B(!1)}},[w,h,T,u,I,n,E,_]),p=t=>{const r=t.component||N(t.type);return v.jsx(r,{value:E.get(t.id)??null,onChange:o=>G(t.id,o),isDisabled:h,label:t.label},t.id)},N=t=>{switch(t){case"signature":case"text":return ae;case"consent":case"checkbox":return oe}},Y=()=>{const t=m?.component||xe(m),r=b?.component||Re(b);return v.jsxs("div",{className:"superdoc-esign-actions",style:{display:"flex",gap:"10px"},children:[s.mode!=="download"&&v.jsx(r,{onClick:i,isValid:w,isDisabled:h,isSubmitting:T}),v.jsx(t,{onClick:a,fileName:m?.fileName,isDisabled:h})]})};return d.useImperativeHandle(f,()=>({getState:()=>({scrolled:y,fields:E,isValid:w,isSubmitting:T}),getAuditTrail:()=>I,reset:()=>{W(!s.validation?.scroll?.required),V(new Map),z(!1),O([])}})),v.jsxs("div",{className:`superdoc-esign-container ${A||""}`,style:q,children:[v.jsx("div",{className:"superdoc-esign-document",children:v.jsx("div",{ref:k,style:{height:Z,overflow:"auto"}})}),v.jsxs("div",{className:"superdoc-esign-controls",style:{marginTop:"20px"},children:[n.signer&&n.signer.length>0&&v.jsx("div",{className:"superdoc-esign-fields",style:{marginBottom:"20px"},children:n.signer.map(p)}),Y()]})]})});se.displayName="SuperDocESign";exports.ConsentCheckbox=oe;exports.SignatureInput=ae;exports.default=se;