forked from dotnet/fsharp
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfslib-extra-pervasives.fs
357 lines (288 loc) · 16 KB
/
fslib-extra-pervasives.fs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
// Copyright (c) Microsoft Corporation. All Rights Reserved. See License.txt in the project root for license information.
namespace Microsoft.FSharp.Core
module ExtraTopLevelOperators =
open System
open System.Collections.Generic
open System.IO
open System.Diagnostics
open System.Reflection
open Microsoft.FSharp
open Microsoft.FSharp.Core
open Microsoft.FSharp.Core.Operators
open Microsoft.FSharp.Text
open Microsoft.FSharp.Collections
open Microsoft.FSharp.Control
open Microsoft.FSharp.Primitives.Basics
open Microsoft.FSharp.Core.CompilerServices
let inline checkNonNullNullArg argName arg =
match box arg with
| null -> nullArg argName
| _ -> ()
let inline checkNonNullInvalidArg argName message arg =
match box arg with
| null -> invalidArg argName message
| _ -> ()
[<CompiledName("CreateSet")>]
let set elements = Collections.Set.ofSeq elements
let dummyArray = [||]
let inline dont_tail_call f =
let result = f ()
dummyArray.Length |> ignore // pretty stupid way to avoid tail call, would be better if attribute existed, but this should be inlineable by the JIT
result
let inline ICollection_Contains<'collection,'item when 'collection :> ICollection<'item>> (collection:'collection) (item:'item) =
collection.Contains item
[<DebuggerDisplay("Count = {Count}")>]
[<DebuggerTypeProxy(typedefof<DictDebugView<_,_,_>>)>]
type DictImpl<'SafeKey,'Key,'T>(t : Dictionary<'SafeKey,'T>, makeSafeKey : 'Key->'SafeKey, getKey : 'SafeKey->'Key) =
member x.Count = t.Count
// Give a read-only view of the dictionary
interface IDictionary<'Key, 'T> with
member s.Item
with get x = dont_tail_call (fun () -> t.[makeSafeKey x])
and set _ _ = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)))
member s.Keys =
let keys = t.Keys
{ new ICollection<'Key> with
member s.Add(x) = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Clear() = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Remove(x) = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Contains(x) = t.ContainsKey (makeSafeKey x)
member s.CopyTo(arr,i) =
let mutable n = 0
for k in keys do
arr.[i+n] <- getKey k
n <- n + 1
member s.IsReadOnly = true
member s.Count = keys.Count
interface IEnumerable<'Key> with
member s.GetEnumerator() = (keys |> Seq.map getKey).GetEnumerator()
interface System.Collections.IEnumerable with
member s.GetEnumerator() = ((keys |> Seq.map getKey) :> System.Collections.IEnumerable).GetEnumerator() }
member s.Values = upcast t.Values
member s.Add(_,_) = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)))
member s.ContainsKey(k) = dont_tail_call (fun () -> t.ContainsKey(makeSafeKey k))
member s.TryGetValue(k,r) =
let safeKey = makeSafeKey k
if t.ContainsKey(safeKey) then (r <- t.[safeKey]; true) else false
member s.Remove(_ : 'Key) = (raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated))) : bool)
interface IReadOnlyDictionary<'Key, 'T> with
member __.Item with get key = t.[makeSafeKey key]
member __.Keys = t.Keys |> Seq.map getKey
member __.TryGetValue(key, r) =
match t.TryGetValue (makeSafeKey key) with
| false, _ -> false
| true, value ->
r <- value
true
member __.Values = (t :> IReadOnlyDictionary<_,_>).Values
member __.ContainsKey k = t.ContainsKey (makeSafeKey k)
interface ICollection<KeyValuePair<'Key, 'T>> with
member s.Add(_) = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Clear() = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Remove(_) = raise (NotSupportedException(SR.GetString(SR.thisValueCannotBeMutated)));
member s.Contains(KeyValue(k,v)) = ICollection_Contains t (KeyValuePair<_,_>(makeSafeKey k,v))
member s.CopyTo(arr,i) =
let mutable n = 0
for (KeyValue(k,v)) in t do
arr.[i+n] <- KeyValuePair<_,_>(getKey k,v)
n <- n + 1
member s.IsReadOnly = true
member s.Count = t.Count
interface IReadOnlyCollection<KeyValuePair<'Key, 'T>> with
member __.Count = t.Count
interface IEnumerable<KeyValuePair<'Key, 'T>> with
member s.GetEnumerator() =
// We use an array comprehension here instead of seq {} as otherwise we get incorrect
// IEnumerator.Reset() and IEnumerator.Current semantics.
let kvps = [| for (KeyValue (k,v)) in t -> KeyValuePair (getKey k, v) |] :> seq<_>
kvps.GetEnumerator()
interface System.Collections.IEnumerable with
member s.GetEnumerator() =
// We use an array comprehension here instead of seq {} as otherwise we get incorrect
// IEnumerator.Reset() and IEnumerator.Current semantics.
let kvps = [| for (KeyValue (k,v)) in t -> KeyValuePair (getKey k, v) |] :> System.Collections.IEnumerable
kvps.GetEnumerator()
and DictDebugView<'SafeKey,'Key,'T>(d:DictImpl<'SafeKey,'Key,'T>) =
[<DebuggerBrowsable(DebuggerBrowsableState.RootHidden)>]
member x.Items = Array.ofSeq d
let inline dictImpl (comparer:IEqualityComparer<'SafeKey>) (makeSafeKey : 'Key->'SafeKey) (getKey : 'SafeKey->'Key) (l:seq<'Key*'T>) =
let t = Dictionary comparer
for (k,v) in l do
t.[makeSafeKey k] <- v
DictImpl(t, makeSafeKey, getKey)
// We avoid wrapping a StructBox, because under 64 JIT we get some "hard" tailcalls which affect performance
let dictValueType (l:seq<'Key*'T>) = dictImpl HashIdentity.Structural<'Key> id id l
// Wrap a StructBox around all keys in case the key type is itself a type using null as a representation
let dictRefType (l:seq<'Key*'T>) = dictImpl StructBox<'Key>.Comparer (fun k -> StructBox k) (fun sb -> sb.Value) l
[<CompiledName("CreateDictionary")>]
let dict (keyValuePairs:seq<'Key*'T>) : IDictionary<'Key,'T> =
#if FX_RESHAPED_REFLECTION
if (typeof<'Key>).GetTypeInfo().IsValueType
#else
if typeof<'Key>.IsValueType
#endif
then dictValueType keyValuePairs :> _
else dictRefType keyValuePairs :> _
[<CompiledName("CreateReadOnlyDictionary")>]
let readOnlyDict (keyValuePairs:seq<'Key*'T>) : IReadOnlyDictionary<'Key,'T> =
#if FX_RESHAPED_REFLECTION
if (typeof<'Key>).GetTypeInfo().IsValueType
#else
if typeof<'Key>.IsValueType
#endif
then dictValueType keyValuePairs :> _
else dictRefType keyValuePairs :> _
let getArray (vals : seq<'T>) =
match vals with
| :? ('T[]) as arr -> arr
| _ -> Seq.toArray vals
[<CompiledName("CreateArray2D")>]
let array2D (rows : seq<#seq<'T>>) =
checkNonNullNullArg "rows" rows
let rowsArr = getArray rows
let m = rowsArr.Length
if m = 0
then Array2D.zeroCreate<'T> 0 0
else
checkNonNullInvalidArg "rows" (SR.GetString(SR.nullsNotAllowedInArray)) rowsArr.[0]
let firstRowArr = getArray rowsArr.[0]
let n = firstRowArr.Length
let res = Array2D.zeroCreate<'T> m n
for j in 0..(n-1) do
res.[0,j] <- firstRowArr.[j]
for i in 1..(m-1) do
checkNonNullInvalidArg "rows" (SR.GetString(SR.nullsNotAllowedInArray)) rowsArr.[i]
let rowiArr = getArray rowsArr.[i]
if rowiArr.Length <> n then invalidArg "vals" (SR.GetString(SR.arraysHadDifferentLengths))
for j in 0..(n-1) do
res.[i,j] <- rowiArr.[j]
res
// --------------------------------------------------------------------
// Printf
// --------------------------------------------------------------------
[<CompiledName("PrintFormatToString")>]
let sprintf format = Printf.sprintf format
[<CompiledName("PrintFormatToStringThenFail")>]
let failwithf format = Printf.failwithf format
[<CompiledName("PrintFormatToTextWriter")>]
let fprintf (textWriter:TextWriter) format = Printf.fprintf textWriter format
[<CompiledName("PrintFormatLineToTextWriter")>]
let fprintfn (textWriter:TextWriter) format = Printf.fprintfn textWriter format
#if !FX_NO_SYSTEM_CONSOLE
[<CompiledName("PrintFormat")>]
let printf format = Printf.printf format
[<CompiledName("PrintFormatToError")>]
let eprintf format = Printf.eprintf format
[<CompiledName("PrintFormatLine")>]
let printfn format = Printf.printfn format
[<CompiledName("PrintFormatLineToError")>]
let eprintfn format = Printf.eprintfn format
#endif
[<CompiledName("FailWith")>]
let failwith s = raise (Failure s)
[<CompiledName("DefaultAsyncBuilder")>]
let async = AsyncBuilder()
[<CompiledName("ToSingle")>]
let inline single value = float32 value
[<CompiledName("ToDouble")>]
let inline double value = float value
[<CompiledName("ToByte")>]
let inline uint8 value = byte value
[<CompiledName("ToSByte")>]
let inline int8 value = sbyte value
module Checked =
[<CompiledName("ToByte")>]
let inline uint8 value = Checked.byte value
[<CompiledName("ToSByte")>]
let inline int8 value = Checked.sbyte value
[<CompiledName("SpliceExpression")>]
let (~%) (_:Microsoft.FSharp.Quotations.Expr<'a>) : 'a = raise <| InvalidOperationException(SR.GetString(SR.firstClassUsesOfSplice))
[<CompiledName("SpliceUntypedExpression")>]
let (~%%) (_: Microsoft.FSharp.Quotations.Expr) : 'a = raise <| InvalidOperationException (SR.GetString(SR.firstClassUsesOfSplice))
[<assembly: AutoOpen("Microsoft.FSharp")>]
[<assembly: AutoOpen("Microsoft.FSharp.Core.LanguagePrimitives.IntrinsicOperators")>]
[<assembly: AutoOpen("Microsoft.FSharp.Core")>]
[<assembly: AutoOpen("Microsoft.FSharp.Collections")>]
[<assembly: AutoOpen("Microsoft.FSharp.Control")>]
[<assembly: AutoOpen("Microsoft.FSharp.Linq.QueryRunExtensions.LowPriority")>]
[<assembly: AutoOpen("Microsoft.FSharp.Linq.QueryRunExtensions.HighPriority")>]
do()
[<CompiledName("LazyPattern")>]
let (|Lazy|) (input:Lazy<_>) = input.Force()
let query = Microsoft.FSharp.Linq.QueryBuilder()
namespace Microsoft.FSharp.Core.CompilerServices
open System
open System.Reflection
open System.Linq.Expressions
open System.Collections.Generic
open Microsoft.FSharp.Core
/// <summary>Represents the product of two measure expressions when returned as a generic argument of a provided type.</summary>
[<Sealed>]
type MeasureProduct<'Measure1, 'Measure2>() = class end
/// <summary>Represents the inverse of a measure expressions when returned as a generic argument of a provided type.</summary>
[<Sealed>]
type MeasureInverse<'Measure> = class end
/// <summary>Represents the '1' measure expression when returned as a generic argument of a provided type.</summary>
[<Sealed>]
type MeasureOne = class end
[<AttributeUsage(AttributeTargets.Class, AllowMultiple = false)>]
type TypeProviderAttribute() =
inherit System.Attribute()
[<AttributeUsage(AttributeTargets.Assembly, AllowMultiple = false)>]
type TypeProviderAssemblyAttribute(assemblyName : string) =
inherit System.Attribute()
new () = TypeProviderAssemblyAttribute(null)
member __.AssemblyName = assemblyName
[<AttributeUsage(AttributeTargets.All, AllowMultiple = false)>]
type TypeProviderXmlDocAttribute(commentText: string) =
inherit System.Attribute()
member __.CommentText = commentText
[<AttributeUsage(AttributeTargets.All, AllowMultiple = false)>]
type TypeProviderDefinitionLocationAttribute() =
inherit System.Attribute()
let mutable filePath : string = null
let mutable line : int = 0
let mutable column : int = 0
member this.FilePath with get() = filePath and set v = filePath <- v
member this.Line with get() = line and set v = line <- v
member this.Column with get() = column and set v = column <- v
[<AttributeUsage(AttributeTargets.Class ||| AttributeTargets.Interface ||| AttributeTargets.Struct ||| AttributeTargets.Delegate, AllowMultiple = false)>]
type TypeProviderEditorHideMethodsAttribute() =
inherit System.Attribute()
/// <summary>Additional type attribute flags related to provided types</summary>
type TypeProviderTypeAttributes =
| SuppressRelocate = 0x80000000
| IsErased = 0x40000000
type TypeProviderConfig( systemRuntimeContainsType : string -> bool ) =
let mutable resolutionFolder : string = null
let mutable runtimeAssembly : string = null
let mutable referencedAssemblies : string[] = null
let mutable temporaryFolder : string = null
let mutable isInvalidationSupported : bool = false
let mutable useResolutionFolderAtRuntime : bool = false
let mutable systemRuntimeAssemblyVersion : System.Version = null
member this.ResolutionFolder with get() = resolutionFolder and set v = resolutionFolder <- v
member this.RuntimeAssembly with get() = runtimeAssembly and set v = runtimeAssembly <- v
member this.ReferencedAssemblies with get() = referencedAssemblies and set v = referencedAssemblies <- v
member this.TemporaryFolder with get() = temporaryFolder and set v = temporaryFolder <- v
member this.IsInvalidationSupported with get() = isInvalidationSupported and set v = isInvalidationSupported <- v
member this.IsHostedExecution with get() = useResolutionFolderAtRuntime and set v = useResolutionFolderAtRuntime <- v
member this.SystemRuntimeAssemblyVersion with get() = systemRuntimeAssemblyVersion and set v = systemRuntimeAssemblyVersion <- v
member this.SystemRuntimeContainsType (typeName : string) = systemRuntimeContainsType typeName
type IProvidedNamespace =
abstract NamespaceName : string
abstract GetNestedNamespaces : unit -> IProvidedNamespace[]
abstract GetTypes : unit -> Type[]
abstract ResolveTypeName : typeName: string -> Type
type ITypeProvider =
inherit System.IDisposable
abstract GetNamespaces : unit -> IProvidedNamespace[]
abstract GetStaticParameters : typeWithoutArguments:Type -> ParameterInfo[]
abstract ApplyStaticArguments : typeWithoutArguments:Type * typePathWithArguments:string[] * staticArguments:obj[] -> Type
abstract GetInvokerExpression : syntheticMethodBase:MethodBase * parameters:Microsoft.FSharp.Quotations.Expr[] -> Microsoft.FSharp.Quotations.Expr
[<CLIEvent>]
abstract Invalidate : Microsoft.FSharp.Control.IEvent<System.EventHandler, System.EventArgs>
abstract GetGeneratedAssemblyContents : assembly:System.Reflection.Assembly -> byte[]
type ITypeProvider2 =
abstract GetStaticParametersForMethod : methodWithoutArguments:MethodBase -> ParameterInfo[]
abstract ApplyStaticArgumentsForMethod : methodWithoutArguments:MethodBase * methodNameWithArguments:string * staticArguments:obj[] -> MethodBase