Changes in / [28bc8c8:9d6f011]
- Files:
-
- 20 edited
Legend:
- Unmodified
- Added
- Removed
-
doc/papers/general/Paper.tex
r28bc8c8 r9d6f011 267 267 int m = max( max, -max ); $\C{// uses (3) and (1) twice, by matching return type}$ 268 268 \end{cfa} 269 269 270 \CFA maximizes the ability to reuse names to aggressively address the naming problem. 270 271 In some cases, hundreds of names can be reduced to tens, resulting in a significant cognitive reduction. … … 285 286 286 287 287 \subsection{\texorpdfstring{\ LstKeywordStyle{forall} Functions}{forall Functions}}288 \subsection{\texorpdfstring{\protect\lstinline{forall} Functions}{forall Functions}} 288 289 \label{sec:poly-fns} 289 290 … … 435 436 One approach is to write bespoke data-structures for each context in which they are needed. 436 437 While this approach is flexible and supports integration with the C type-checker and tooling, it is also tedious and error-prone, especially for more complex data structures. 437 A second approach is to use @void *@ --based polymorphism, \eg the C standard-library functions @bsearch@ and @qsort@, which allow reuse of code with common functionality.438 A second approach is to use @void *@ based polymorphism, \eg the C standard-library functions @bsearch@ and @qsort@, which allow reuse of code with common functionality. 438 439 However, basing all polymorphism on @void *@ eliminates the type-checker's ability to ensure that argument types are properly matched, often requiring a number of extra function parameters, pointer indirection, and dynamic allocation that is not otherwise needed. 439 440 A third approach to generic code is to use preprocessor macros, which does allow the generated code to be both generic and type-checked, but errors may be difficult to interpret. … … 507 508 The offset arrays are statically generated where possible. 508 509 If a dynamic generic-type is declared to be passed or returned by value from a polymorphic function, the translator can safely assume the generic type is complete (\ie has a known layout) at any call-site, and the offset array is passed from the caller; 509 if the generic type is concrete at the call site, the elements of this offset array can even be statically generated using the C @offsetof@ macro. 510 As an example, the body of the second @value@ function is implemented like this:511 \begin{cfa} 512 _assign_T( _retval, p + _offsetof_pair[1]); $\C{// return *p.second}$513 \end{cfa} 514 @_assign_T@ is passed in as an implicit parameter from @otype T@, and takes two @T *@ (@void*@ in the generated code), a destination and a source; @_retval@ is the pointer to a caller-allocated buffer for the return value, the usual \CFA method to handle dynamically-sized return types.510 if the generic type is concrete at the call site, the elements of this offset array can even be statically generated using the C @offsetof@ macro. 511 As an example, the body of the second @value@ function is implemented as: 512 \begin{cfa} 513 _assign_T( _retval, p + _offsetof_pair[1] ); $\C{// return *p.second}$ 514 \end{cfa} 515 @_assign_T@ is passed in as an implicit parameter from @otype T@, and takes two @T *@ (@void *@ in the generated code), a destination and a source; @_retval@ is the pointer to a caller-allocated buffer for the return value, the usual \CFA method to handle dynamically-sized return types. 515 516 @_offsetof_pair@ is the offset array passed into @value@; this array is generated at the call site as: 516 517 \begin{cfa} 517 size_t _offsetof_pair[] = { offsetof( _pair_conc0, first), offsetof(_pair_conc0, second) }518 size_t _offsetof_pair[] = { offsetof( _pair_conc0, first ), offsetof( _pair_conc0, second ) } 518 519 \end{cfa} 519 520 … … 539 540 The most important such pattern is using @forall(dtype T) T *@ as a type-checked replacement for @void *@, \eg creating a lexicographic comparison for pairs of pointers used by @bsearch@ or @qsort@: 540 541 \begin{cfa} 541 forall( dtype T) int lexcmp( pair( T *, T * ) * a, pair( T *, T * ) * b, int (* cmp)( T *, T * ) ) {542 forall( dtype T ) int lexcmp( pair( T *, T * ) * a, pair( T *, T * ) * b, int (* cmp)( T *, T * ) ) { 542 543 return cmp( a->first, b->first ) ? : cmp( a->second, b->second ); 543 544 } 544 545 \end{cfa} 545 Since @pair( T *, T * )@ is a concrete type, there are no implicit parameters passed to @lexcmp@, so the generated code is identical to a function written in standard C using @void *@, yet the \CFA version is type-checked to ensure the fields of both pairs and the arguments to the comparison function match in type.546 Since @pair( T *, T * )@ is a concrete type, there are no implicit parameters passed to @lexcmp@, so the generated code is identical to a function written in standard C using @void *@, yet the \CFA version is type-checked to ensure the fields of both pairs and the arguments to the comparison function match in type. 546 547 547 548 Another useful pattern enabled by reused dtype-static type instantiations is zero-cost \newterm{tag-structures}. 548 549 Sometimes information is only used for type-checking and can be omitted at runtime, \eg: 549 550 \begin{cfa} 550 forall( dtype Unit) struct scalar { unsigned long value; };551 forall( dtype Unit ) struct scalar { unsigned long value; }; 551 552 struct metres {}; 552 553 struct litres {}; 553 554 554 forall( dtype U) scalar(U) ?+?( scalar(U) a, scalar(U) b ) {555 forall( dtype U ) scalar(U) ?+?( scalar(U) a, scalar(U) b ) { 555 556 return (scalar(U)){ a.value + b.value }; 556 557 } … … 807 808 Due to the implicit flattening and structuring conversions involved in argument passing, @otype@ and @dtype@ parameters are restricted to matching only with non-tuple types, \eg: 808 809 \begin{cfa} 809 forall( otype T, dtype U) void f( T x, U * y );810 forall( otype T, dtype U ) void f( T x, U * y ); 810 811 f( [5, "hello"] ); 811 812 \end{cfa} … … 814 815 For example, a plus operator can be written to add two triples together. 815 816 \begin{cfa} 816 forall( otype T | { T ?+?( T, T ); }) [T, T, T] ?+?( [T, T, T] x, [T, T, T] y ) {817 forall( otype T | { T ?+?( T, T ); } ) [T, T, T] ?+?( [T, T, T] x, [T, T, T] y ) { 817 818 return [x.0 + y.0, x.1 + y.1, x.2 + y.2]; 818 819 } … … 825 826 \begin{cfa} 826 827 int f( [int, double], double ); 827 forall( otype T, otype U | { T f( T, U, U ); }) void g( T, U );828 forall( otype T, otype U | { T f( T, U, U ); } ) void g( T, U ); 828 829 g( 5, 10.21 ); 829 830 \end{cfa} 830 831 Hence, function parameter and return lists are flattened for the purposes of type unification allowing the example to pass expression resolution. 831 832 This relaxation is possible by extending the thunk scheme described by Bilson~\cite{Bilson03}. 832 Whenever a candidate's parameter structure does not exactly match the formal parameter's structure, a thunk is generated to specialize calls to the actual function:833 \begin{cfa}834 int _thunk( int _p0, double _p1, double _p2 ) { return f( [_p0, _p1], _p2 ); }835 \end{cfa}836 so the thunk provides flattening and structuring conversions to inferred functions, improving the compatibility of tuples and polymorphism.837 These thunks take advantage of gcc C nested-functions to produce closures that have the usual function-pointer signature WHAT DOES THIS MEAN???.833 % Whenever a candidate's parameter structure does not exactly match the formal parameter's structure, a thunk is generated to specialize calls to the actual function: 834 % \begin{cfa} 835 % int _thunk( int _p0, double _p1, double _p2 ) { return f( [_p0, _p1], _p2 ); } 836 % \end{cfa} 837 % so the thunk provides flattening and structuring conversions to inferred functions, improving the compatibility of tuples and polymorphism. 838 % These thunks are generated locally using gcc nested-functions, rather hositing them to the external scope, so they can easily access local state. 838 839 839 840 … … 852 853 \begin{cfa} 853 854 int sum$\(_0\)$() { return 0; } 854 forall( ttype Params | { int sum( Params ); } ) int sum$\(_1\)$( int x, Params rest ) {855 forall( ttype Params | { int sum( Params ); } ) int sum$\(_1\)$( int x, Params rest ) { 855 856 return x + sum( rest ); 856 857 } … … 865 866 \begin{cfa} 866 867 int sum( int x, int y ) { return x + y; } 867 forall( ttype Params | { int sum( int, Params ); } ) int sum( int x, int y, Params rest ) {868 forall( ttype Params | { int sum( int, Params ); } ) int sum( int x, int y, Params rest ) { 868 869 return sum( x + y, rest ); 869 870 } … … 871 872 One more step permits the summation of any summable type with all arguments of the same type: 872 873 \begin{cfa} 873 trait summable( otype T) {874 trait summable( otype T ) { 874 875 T ?+?( T, T ); 875 876 }; 876 forall( otype R | summable( R ) ) R sum( R x, R y ) {877 forall( otype R | summable( R ) ) R sum( R x, R y ) { 877 878 return x + y; 878 879 } 879 forall( otype R, ttype Params | summable(R) | { R sum(R, Params); } ) R sum(R x, R y, Params rest) {880 forall( otype R, ttype Params | summable(R) | { R sum(R, Params); } ) R sum(R x, R y, Params rest) { 880 881 return sum( x + y, rest ); 881 882 } … … 888 889 \begin{cfa} 889 890 struct S { int x, y; }; 890 forall( otype T, ttype Params | { void print(T); void print(Params); }) void print(T arg, Params rest) {891 forall( otype T, ttype Params | { void print(T); void print(Params); } ) void print(T arg, Params rest) { 891 892 print(arg); print(rest); 892 893 } … … 927 928 is transformed into: 928 929 \begin{cfa} 929 forall( dtype T0, dtype T1 | sized(T0) | sized(T1)) struct _tuple2 {930 forall( dtype T0, dtype T1 | sized(T0) | sized(T1) ) struct _tuple2 { 930 931 T0 field_0; $\C{// generated before the first 2-tuple}$ 931 932 T1 field_1; … … 933 934 _tuple2(int, int) f() { 934 935 _tuple2(double, double) x; 935 forall( dtype T0, dtype T1, dtype T2 | sized(T0) | sized(T1) | sized(T2)) struct _tuple3 {936 forall( dtype T0, dtype T1, dtype T2 | sized(T0) | sized(T1) | sized(T2) ) struct _tuple3 { 936 937 T0 field_0; $\C{// generated before the first 3-tuple}$ 937 938 T1 field_1; … … 941 942 } 942 943 \end{cfa} 943 \begin{sloppypar} 944 {\sloppy 944 945 Tuple expressions are then simply converted directly into compound literals, \eg @[5, 'x', 1.24]@ becomes @(_tuple3(int, char, double)){ 5, 'x', 1.24 }@. 945 \ end{sloppypar}946 \par}% 946 947 947 948 \begin{comment} … … 1004 1005 \section{Control Structures} 1005 1006 1006 \CFA identifies inconsistent, problematic, and missing control structures in C, and extends, modifies, and adds tocontrol structures to increase functionality and safety.1007 1008 1009 \subsection{\texorpdfstring{\ LstKeywordStyle{if} Statement}{if Statement}}1007 \CFA identifies inconsistent, problematic, and missing control structures in C, and extends, modifies, and adds control structures to increase functionality and safety. 1008 1009 1010 \subsection{\texorpdfstring{\protect\lstinline{if} Statement}{if Statement}} 1010 1011 1011 1012 The @if@ expression allows declarations, similar to @for@ declaration expression: … … 1019 1020 1020 1021 1021 \subsection{\texorpdfstring{\ LstKeywordStyle{switch} Statement}{switch Statement}}1022 \subsection{\texorpdfstring{\protect\lstinline{switch} Statement}{switch Statement}} 1022 1023 1023 1024 There are a number of deficiencies with the C @switch@ statements: enumerating @case@ lists, placement of @case@ clauses, scope of the switch body, and fall through between case clauses. … … 1039 1040 \lstMakeShortInline@% 1040 1041 \end{cquote} 1041 for a contiguous list:\footnote{gcc provides the same mechanism with awkward syntax, \lstinline@2 ... 42@, where spaces are required around the ellipse.}1042 for a contiguous list:\footnote{gcc has the same mechanism but awkward syntax, \lstinline@2 ...42@, because a space is required after a number, otherwise the period is a decimal point.} 1042 1043 \begin{cquote} 1043 1044 \lstDeleteShortInline@% … … 1090 1091 C @switch@ provides multiple entry points into the statement body, but once an entry point is selected, control continues across \emph{all} @case@ clauses until the end of the @switch@ body, called \newterm{fall through}; 1091 1092 @case@ clauses are made disjoint by the @break@ statement. 1092 While the ability to fall through \emph{is} a useful form of control flow, it does not match well with programmer intuition, resulting in many errors from missing @break@ statements. 1093 For backwards compatibility, \CFA provides a \emph{new} control structure, @choose@, which mimics @switch@, but reverses the meaning of fall through (see Figure~\ref{f:ChooseSwitchStatements}). 1094 1095 Collectively, these enhancements reduce programmer burden and increase readability and safety. 1093 While fall through \emph{is} a useful form of control flow, it does not match well with programmer intuition, resulting in errors from missing @break@ statements. 1094 For backwards compatibility, \CFA provides a \emph{new} control structure, @choose@, which mimics @switch@, but reverses the meaning of fall through (see Figure~\ref{f:ChooseSwitchStatements}), similar to Go. 1096 1095 1097 1096 \begin{figure} … … 1137 1136 \end{figure} 1138 1137 1139 \begin{comment} 1140 Forgotten @break@ statements at the end of @switch@ cases are a persistent sort of programmer error in C, and the @break@ statements themselves introduce visual clutter and an un-C-like keyword-based block delimiter. 1141 \CFA addresses this error by introducing a @choose@ statement, which works identically to a @switch@ except that its default end-of-case behaviour is to break rather than to fall through for all non-empty cases. 1142 Since empty cases like @case 7:@ in @case 7: case 11:@ still have fall-through semantics and explicit @break@ is still allowed at the end of a @choose@ case, many idiomatic uses of @switch@ in standard C can be converted to @choose@ statements by simply changing the keyword. 1143 Where fall-through is desired for a non-empty case, it can be specified with the new @fallthrough@ statement, making @choose@ equivalently powerful to @switch@, but more concise in the common case where most non-empty cases end with a @break@ statement, as in the example below: 1144 1145 \begin{cfa} 1146 choose( i ) { 1147 case 2: 1148 printf("even "); 1149 fallthrough; 1150 case 3: case 5: case 7: 1151 printf("small prime\n"); 1152 case 4,6,8,9: 1153 printf("small composite\n"); 1154 case 13~19: 1155 printf("teen\n"); 1156 default: 1157 printf("something else\n"); 1158 } 1159 \end{cfa} 1160 \end{comment} 1161 1162 1163 \subsection{\texorpdfstring{Labelled \LstKeywordStyle{continue} / \LstKeywordStyle{break}}{Labelled continue / break}} 1138 Finally, @fallthrough@ may appear in contexts other than terminating a @case@ clause, and have an explicit transfer label allowing separate cases but common final-code for a set of cases: 1139 \begin{cquote} 1140 \lstDeleteShortInline@% 1141 \begin{tabular}{@{}l@{\hspace{2\parindentlnth}}l@{}} 1142 \multicolumn{1}{c@{\hspace{2\parindentlnth}}}{\textbf{non-terminator}} & \multicolumn{1}{c}{\textbf{target label}} \\ 1143 \begin{cfa} 1144 choose ( ... ) { 1145 case 3: 1146 if ( ... ) { 1147 ... `fallthrough;` // goto case 4 1148 } else { 1149 ... 1150 } 1151 // implicit break 1152 case 4: 1153 \end{cfa} 1154 & 1155 \begin{cfa} 1156 choose ( ... ) { 1157 case 3: 1158 ... `fallthrough common;` 1159 case 4: 1160 ... `fallthrough common;` 1161 common: 1162 ... // common code for cases 3 and 4 1163 // implicit break 1164 case 4: 1165 \end{cfa} 1166 \end{tabular} 1167 \lstMakeShortInline@% 1168 \end{cquote} 1169 The target label may be case @default@. 1170 1171 Collectively, these control-structure enhancements reduce programmer burden and increase readability and safety. 1172 1173 1174 \subsection{\texorpdfstring{Labelled \protect\lstinline{continue} / \protect\lstinline{break}}{Labelled continue / break}} 1164 1175 1165 1176 While C provides @continue@ and @break@ statements for altering control flow, both are restricted to one level of nesting for a particular control structure. … … 1270 1281 \subsection{Exception Handling} 1271 1282 1272 The following framework for \CFA exception handling is in place, excluding some run -time type-information and dynamic casts.1283 The following framework for \CFA exception handling is in place, excluding some runtime type-information and virtual functions. 1273 1284 \CFA provides two forms of exception handling: \newterm{fix-up} and \newterm{recovery} (see Figure~\ref{f:CFAExceptionHandling})~\cite{Buhr92b,Buhr00a}. 1274 1285 Both mechanisms provide dynamic call to a handler using dynamic name-lookup, where fix-up has dynamic return and recovery has static return from the handler. … … 1340 1351 catch ( IOError err ) { ... } $\C{// handler error from other files}$ 1341 1352 \end{cfa} 1342 where the throw inserts the failing file-handle in the I/O exception.1353 where the throw inserts the failing file-handle into the I/O exception. 1343 1354 Conditional catch cannot be trivially mimicked by other mechanisms because once an exception is caught, handler clauses in that @try@ statement are no longer eligible.. 1344 1355 … … 1348 1359 resume( $\emph{alternate-stack}$ ) 1349 1360 \end{cfa} 1350 These overloads of @resume@ raise the specified exception or the currently propagating exception (reresume) at another \CFA coroutine or task ~\cite{Delisle18}.\footnote{\CFA coroutine and concurrency features are discussed in a separately submitted paper.}1351 Nonlocal raise is restricted to resumption to provide the exception handler the greatest flexibility because processing the exception does not unwind its stack, allowing it to continue after the handle returns.1352 1353 To facilitate nonlocal exception, \CFA provides dynamic enabling and disabling of nonlocal exception-propagation.1361 These overloads of @resume@ raise the specified exception or the currently propagating exception (reresume) at another \CFA coroutine or task\footnote{\CFA coroutine and concurrency features are discussed in a separately submitted paper.}~\cite{Delisle18}. 1362 Nonlocal raise is restricted to resumption to provide the exception handler the greatest flexibility because processing the exception does not unwind its stack, allowing it to continue after the handler returns. 1363 1364 To facilitate nonlocal raise, \CFA provides dynamic enabling and disabling of nonlocal exception-propagation. 1354 1365 The constructs for controlling propagation of nonlocal exceptions are the @enable@ and the @disable@ blocks: 1355 1366 \begin{cquote} … … 1358 1369 \begin{cfa} 1359 1370 enable $\emph{exception-type-list}$ { 1360 // allow non-local r esumption1371 // allow non-local raise 1361 1372 } 1362 1373 \end{cfa} … … 1364 1375 \begin{cfa} 1365 1376 disable $\emph{exception-type-list}$ { 1366 // disallow non-local r esumption1377 // disallow non-local raise 1367 1378 } 1368 1379 \end{cfa} … … 1375 1386 Coroutines and tasks start with non-local exceptions disabled, allowing handlers to be put in place, before non-local exceptions are explicitly enabled. 1376 1387 \begin{cfa} 1377 void main( mytask & c ) { 1378 try { 1379 enable { $\C{// now allow non-local exception delivery}$ 1388 void main( mytask & t ) { $\C{// thread starts here}$ 1389 // non-local exceptions disabled 1390 try { $\C{// establish handles for non-local exceptions}$ 1391 enable { $\C{// allow non-local exception delivery}$ 1380 1392 // task body 1381 1393 } 1382 // appropriate catchResume/catch 1394 // appropriate catchResume/catch handlers 1383 1395 } 1384 1396 } … … 1400 1412 1401 1413 1402 \subsection{\texorpdfstring{\ LstKeywordStyle{with} Clause / Statement}{with Clause / Statement}}1414 \subsection{\texorpdfstring{\protect\lstinline{with} Clause / Statement}{with Clause / Statement}} 1403 1415 \label{s:WithClauseStatement} 1404 1416 … … 1800 1812 int & r = *new( int ); 1801 1813 ... $\C{// non-null reference}$ 1802 delete &r; 1814 delete &r; $\C{// unmanaged (programmer) memory-management}$ 1803 1815 r += 1; $\C{// undefined reference}$ 1804 1816 \end{cfa} … … 1947 1959 Constructor calls seamlessly integrate with existing C initialization syntax, providing a simple and familiar syntax to C programmers and allowing constructor calls to be inserted into legacy C code with minimal code changes. 1948 1960 1949 In \CFA, a constructor is named @?{}@ and a destructor is named @^?{}@. 1950 The name @{}@ comes from the syntax for the initializer: @struct S { int i, j; } s = `{` 2, 3 `}`@\footnote{% 1961 In \CFA, a constructor is named @?{}@ and a destructor is named @^?{}@\footnote{% 1951 1962 The symbol \lstinline+^+ is used for the destructor name because it was the last binary operator that could be used in a unary context.}. 1963 The name @{}@ comes from the syntax for the initializer: @struct S { int i, j; } s = `{` 2, 3 `}`@. 1952 1964 Like other \CFA operators, these names represent the syntax used to call the constructor or destructor, \eg @?{}(x, ...)@ or @^{}(x, ...)@. 1953 1965 The constructor and destructor have return type @void@, and the first parameter is a reference to the object type to be constructed or destructed. … … 2071 2083 \subsection{0/1} 2072 2084 2073 In C, @0@ has the special property that it is the only ``false'' value; by the standard, any value which compares equal to @0@ is false, while any value that compares unequal to @0@ is true. 2074 As such, an expression @x@ in any boolean context (such as the condition of an @if@ or @while@ statement, or the arguments to @&&@, @||@, or @?:@) can be rewritten as @x != 0@ without changing its semantics. 2075 The operator overloading feature of \CFA provides a natural means to implement this truth value comparison for arbitrary types, but the C type system is not precise enough to distinguish an equality comparison with @0@ from an equality comparison with an arbitrary integer or pointer. 2076 To provide this precision, \CFA introduces a new type @zero_t@ as type type of literal @0@ (somewhat analagous to @nullptr_t@ and @nullptr@ in \CCeleven); @zero_t@ can only take the value @0@, but has implicit conversions to the integer and pointer types so that C code involving @0@ continues to work properly. 2077 With this addition, the \CFA compiler rewrites @if (x)@ and similar expressions to @if ((x) != 0)@ or the appropriate analogue, and any type @T@ can be made ``truthy'' by defining an operator overload @int ?!=?(T, zero_t)@. 2078 \CC makes types truthy by adding a conversion to @bool@; prior to the addition of explicit cast operators in \CCeleven this approach had the pitfall of making truthy types transitively convertable to any numeric type; our design for \CFA avoids this issue. 2079 2080 \CFA also includes a special type for @1@, @one_t@; like @zero_t@, @one_t@ has built-in implicit conversions to the various integral types so that @1@ maintains its expected semantics in legacy code. 2081 The addition of @one_t@ allows generic algorithms to handle the unit value uniformly for types where that is meaningful. 2082 \TODO{Make this sentence true} In particular, polymorphic functions in the \CFA prelude define @++x@ and @x++@ in terms of @x += 1@, allowing users to idiomatically define all forms of increment for a type @T@ by defining the single function @T & ?+=(T &, one_t)@; analogous overloads for the decrement operators are present as well. 2085 In C, @0@ has the special property that it is the only ``false'' value; 2086 from the standard, any value that compares equal to @0@ is false, while any value that compares unequal to @0@ is true. 2087 As such, an expression @x@ in any boolean context (such as the condition of an @if@ or @while@ statement, or the arguments to @&&@, @||@, or @?:@\,) can be rewritten as @x != 0@ without changing its semantics. 2088 Operator overloading in \CFA provides a natural means to implement this truth-value comparison for arbitrary types, but the C type system is not precise enough to distinguish an equality comparison with @0@ from an equality comparison with an arbitrary integer or pointer. 2089 To provide this precision, \CFA introduces a new type @zero_t@ as the type of literal @0@ (somewhat analagous to @nullptr_t@ and @nullptr@ in \CCeleven); 2090 @zero_t@ can only take the value @0@, but has implicit conversions to the integer and pointer types so that C code involving @0@ continues to work. 2091 With this addition, \CFA rewrites @if (x)@ and similar expressions to @if ((x) != 0)@ or the appropriate analogue, and any type @T@ is ``truthy'' by defining an operator overload @int ?!=?(T, zero_t)@. 2092 \CC makes types truthy by adding a conversion to @bool@; 2093 prior to the addition of explicit cast operators in \CCeleven, this approach had the pitfall of making truthy types transitively convertable to any numeric type; 2094 \CFA avoids this issue. 2095 2096 Similarly, \CFA also has a special type for @1@, @one_t@; 2097 like @zero_t@, @one_t@ has built-in implicit conversions to the various integral types so that @1@ maintains its expected semantics in legacy code for operations @++@ and @--@. 2098 The addition of @one_t@ allows generic algorithms to handle the unit value uniformly for types where it is meaningful. 2099 \TODO{Make this sentence true} 2100 In particular, polymorphic functions in the \CFA prelude define @++x@ and @x++@ in terms of @x += 1@, allowing users to idiomatically define all forms of increment for a type @T@ by defining the single function @T & ?+=(T &, one_t)@; 2101 analogous overloads for the decrement operators are present as well. 2083 2102 2084 2103 … … 2088 2107 The left of Figure~\ref{f:UserLiteral} shows the \CFA alternative call-syntax (literal argument before function name), using the backquote, to convert basic literals into user literals. 2089 2108 The backquote is a small character, making the unit (function name) predominate. 2090 For examples, the multi-precision integer s in Section~\ref{s:MultiPrecisionIntegers} make use ofuser literals:2109 For examples, the multi-precision integer-type in Section~\ref{s:MultiPrecisionIntegers} has user literals: 2091 2110 {\lstset{language=CFA,moredelim=**[is][\color{red}]{|}{|},deletedelim=**[is][]{`}{`}} 2092 2111 \begin{cfa} … … 2308 2327 \lstMakeShortInline@% 2309 2328 \end{cquote} 2310 In additon, there are polymorphic functions, like @min@ and @max@, whichwork on any type with operators @?<?@ or @?>?@.2329 In additon, there are polymorphic functions, like @min@ and @max@, that work on any type with operators @?<?@ or @?>?@. 2311 2330 2312 2331 The following shows one example where \CFA \emph{extends} an existing standard C interface to reduce complexity and provide safety. … … 2319 2338 In either case, new storage may or may not be allocated and, if there is a new allocation, as much data from the existing allocation is copied. 2320 2339 For an increase in storage size, new storage after the copied data may be filled. 2321 \item[align ment]2340 \item[align] 2322 2341 an allocation on a specified memory boundary, \eg, an address multiple of 64 or 128 for cache-line purposes. 2323 2342 \item[array] 2324 allocation of thespecified number of elements.2343 allocation with a specified number of elements. 2325 2344 An array may be filled, resized, or aligned. 2326 2345 \end{description} … … 2334 2353 \lstMakeShortInline~% 2335 2354 \begin{tabular}{@{}r|r|l|l|l|l@{}} 2336 \multicolumn{1}{c}{}& & \multicolumn{1}{c|}{fill} & resize & align ment& array \\2355 \multicolumn{1}{c}{}& & \multicolumn{1}{c|}{fill} & resize & align & array \\ 2337 2356 \hline 2338 2357 C & ~malloc~ & no & no & no & no \\ … … 2562 2581 TIMED( "copy_int", ti{ si }; ) 2563 2582 TIMED( "clear_int", clear( si ); ) 2564 REPEAT_TIMED( "pop_int", N, 2565 int x = pop( ti ); if ( x > max ) max = x; ) 2583 REPEAT_TIMED( "pop_int", N, int x = pop( ti ); if ( x > max ) max = x; ) 2566 2584 2567 2585 pair( short, char ) max = { 0h, '\0' }, val = { 42h, 'a' }; … … 2571 2589 TIMED( "copy_pair", tp{ sp }; ) 2572 2590 TIMED( "clear_pair", clear( sp ); ) 2573 REPEAT_TIMED( "pop_pair", N, 2574 pair(short, char) x = pop( tp ); if ( x > max ) max = x; ) 2591 REPEAT_TIMED( "pop_pair", N, pair(short, char) x = pop( tp ); if ( x > max ) max = x; ) 2575 2592 } 2576 2593 \end{cfa} … … 2605 2622 & \CT{C} & \CT{\CFA} & \CT{\CC} & \CT{\CCV} \\ \hline 2606 2623 maximum memory usage (MB) & 10001 & 2502 & 2503 & 11253 \\ 2607 source code size (lines) & 187 & 18 8& 133 & 303 \\2624 source code size (lines) & 187 & 186 & 133 & 303 \\ 2608 2625 redundant type annotations (lines) & 25 & 0 & 2 & 16 \\ 2609 2626 binary size (KB) & 14 & 257 & 14 & 37 \\ … … 2619 2636 Finally, the binary size for \CFA is larger because of static linking with the \CFA libraries. 2620 2637 2621 \CFA is also competitive in terms of source code size, measured as a proxy for programmer effort. The line counts in Table~\ref{tab:eval} include implementations of @pair@ and @stack@ types for all four languages for purposes of direct comparison, though it should be noted that \CFA and \CC have pre-written data structures in their standard libraries that programmers would generally use instead. Use of these standard library types has minimal impact on the performance benchmarks, but shrinks the \CFA and \CC benchmarks to 41and 42 lines, respectively.2638 \CFA is also competitive in terms of source code size, measured as a proxy for programmer effort. The line counts in Table~\ref{tab:eval} include implementations of @pair@ and @stack@ types for all four languages for purposes of direct comparison, though it should be noted that \CFA and \CC have pre-written data structures in their standard libraries that programmers would generally use instead. Use of these standard library types has minimal impact on the performance benchmarks, but shrinks the \CFA and \CC benchmarks to 39 and 42 lines, respectively. 2622 2639 On the other hand, C does not have a generic collections-library in its standard distribution, resulting in frequent reimplementation of such collection types by C programmers. 2623 2640 \CCV does not use the \CC standard template library by construction, and in fact includes the definition of @object@ and wrapper classes for @char@, @short@, and @int@ in its line count, which inflates this count somewhat, as an actual object-oriented language would include these in the standard library; … … 2725 2742 Finally, we demonstrate that \CFA performance for some idiomatic cases is better than C and close to \CC, showing the design is practically applicable. 2726 2743 2727 There is ongoing work on a wide range of \CFA feature extensions, including arrays with size, user-defined conversions, concurrent primitives, and modules.2744 There is ongoing work on a wide range of \CFA feature extensions, including arrays with size, runtime type-information, virtual functions, user-defined conversions, concurrent primitives, and modules. 2728 2745 (While all examples in the paper compile and run, a public beta-release of \CFA will take another 8--12 months to finalize these additional extensions.) 2729 2746 In addition, there are interesting future directions for the polymorphism design. … … 2760 2777 \CFA 2761 2778 \begin{cfa}[xleftmargin=2\parindentlnth,aboveskip=0pt,belowskip=0pt] 2762 forall( otype T) struct stack_node {2779 forall( otype T ) struct stack_node { 2763 2780 T value; 2764 2781 stack_node(T) * next; 2765 2782 }; 2766 forall( otype T) struct stack { stack_node(T) * head; };2767 forall( otype T) void ?{}( stack(T) & s ) { (s.head){ 0 }; }2768 forall( otype T) void ?{}( stack(T) & s, stack(T) t ) {2783 forall( otype T ) struct stack { stack_node(T) * head; }; 2784 forall( otype T ) void ?{}( stack(T) & s ) { (s.head){ 0 }; } 2785 forall( otype T ) void ?{}( stack(T) & s, stack(T) t ) { 2769 2786 stack_node(T) ** crnt = &s.head; 2770 2787 for ( stack_node(T) * next = t.head; next; next = next->next ) { … … 2775 2792 *crnt = 0; 2776 2793 } 2777 forall( otype T) stack(T) ?=?( stack(T) & s, stack(T) t ) {2794 forall( otype T ) stack(T) ?=?( stack(T) & s, stack(T) t ) { 2778 2795 if ( s.head == t.head ) return s; 2779 2796 clear( s ); … … 2781 2798 return s; 2782 2799 } 2783 forall( otype T) void ^?{}( stack(T) & s) { clear( s ); }2784 forall( otype T) _Bool empty( const stack(T) & s ) { return s.head == 0; }2785 forall( otype T) void push( stack(T) & s, T value) {2800 forall( otype T ) void ^?{}( stack(T) & s) { clear( s ); } 2801 forall( otype T ) _Bool empty( const stack(T) & s ) { return s.head == 0; } 2802 forall( otype T ) void push( stack(T) & s, T value ) with( s ) { 2786 2803 stack_node(T) * n = alloc(); 2787 2804 (*n){ value, head }; 2788 2805 head = n; 2789 2806 } 2790 forall( otype T) T pop( stack(T) &s ) {2807 forall( otype T ) T pop( stack(T) & s ) with( s ) { 2791 2808 stack_node(T) * n = head; 2792 2809 head = n->next; … … 2796 2813 return x; 2797 2814 } 2798 forall( otype T) void clear( stack(T) &s ) {2815 forall( otype T ) void clear( stack(T) & s ) with( s ) { 2799 2816 for ( stack_node(T) * next = head; next; ) { 2800 2817 stack_node(T) * crnt = next; -
doc/papers/general/evaluation/cfa-bench.c
r28bc8c8 r9d6f011 10 10 TIMED( "copy_int", ti{ si }; ) 11 11 TIMED( "clear_int", clear( si ); ) 12 REPEAT_TIMED( "pop_int", N, 13 int x = pop( ti ); if ( x > max ) max = x; ) 12 REPEAT_TIMED( "pop_int", N, int x = pop( ti ); if ( x > max ) max = x; ) 14 13 15 14 pair( short, char ) max = { 0h, '\0' }, val = { 42h, 'a' }; … … 19 18 TIMED( "copy_pair", tp{ sp }; ) 20 19 TIMED( "clear_pair", clear( sp ); ) 21 REPEAT_TIMED( "pop_pair", N, 22 pair(short, char) x = pop( tp ); if ( x > max ) max = x; ) 20 REPEAT_TIMED( "pop_pair", N, pair(short, char) x = pop( tp ); if ( x > max ) max = x; ) 23 21 } -
src/GenPoly/Box.cc
r28bc8c8 r9d6f011 163 163 void premutate( DeclStmt *declStmt ); 164 164 Expression *postmutate( MemberExpr *memberExpr ); 165 void premutate( AddressExpr *addrExpr ); 166 Expression *postmutate( AddressExpr *addrExpr ); 165 167 Expression *postmutate( SizeofExpr *sizeofExpr ); 166 168 Expression *postmutate( AlignofExpr *alignofExpr ); … … 193 195 ScopedSet< std::string > knownOffsets; ///< Set of non-generic types for which the offset array exists in the current scope, indexed by offsetofName 194 196 UniqueName bufNamer; ///< Namer for VLA buffers 197 Expression * addrMember = nullptr; ///< AddressExpr argument is MemberExpr? 195 198 }; 196 199 … … 1174 1177 if ( expr->result && isPolyType( expr->result, scopeTyVars, env ) ) { 1175 1178 if ( NameExpr *name = dynamic_cast< NameExpr *>( expr->function ) ) { 1176 if ( name-> get_name()== "*?" ) {1179 if ( name->name == "*?" ) { 1177 1180 Expression *ret = expr->args.front(); 1178 1181 expr->args.clear(); … … 1187 1190 void Pass1::premutate( AddressExpr * ) { visit_children = false; } 1188 1191 Expression * Pass1::postmutate( AddressExpr * addrExpr ) { 1189 assert( addrExpr-> get_arg()->result && ! addrExpr->get_arg()->get_result()->isVoid() );1192 assert( addrExpr->arg->result && ! addrExpr->arg->result->isVoid() ); 1190 1193 1191 1194 bool needs = false; 1192 if ( UntypedExpr *expr = dynamic_cast< UntypedExpr *>( addrExpr-> get_arg()) ) {1193 if ( expr->result && isPolyType( expr-> get_result(), scopeTyVars, env ) ) {1194 if ( NameExpr *name = dynamic_cast< NameExpr *>( expr-> get_function()) ) {1195 if ( name-> get_name()== "*?" ) {1196 if ( ApplicationExpr * appExpr = dynamic_cast< ApplicationExpr * >( expr-> get_args().front() ) ) {1197 assert( appExpr-> get_function()->result );1198 FunctionType *function = getFunctionType( appExpr-> get_function()->get_result());1195 if ( UntypedExpr *expr = dynamic_cast< UntypedExpr *>( addrExpr->arg ) ) { 1196 if ( expr->result && isPolyType( expr->result, scopeTyVars, env ) ) { 1197 if ( NameExpr *name = dynamic_cast< NameExpr *>( expr->function ) ) { 1198 if ( name->name == "*?" ) { 1199 if ( ApplicationExpr * appExpr = dynamic_cast< ApplicationExpr * >( expr->args.front() ) ) { 1200 assert( appExpr->function->result ); 1201 FunctionType *function = getFunctionType( appExpr->function->result ); 1199 1202 assert( function ); 1200 1203 needs = needsAdapter( function, scopeTyVars ); … … 1206 1209 // isPolyType check needs to happen before mutating addrExpr arg, so pull it forward 1207 1210 // out of the if condition. 1208 addrExpr->arg = addrExpr-> get_arg()->acceptMutator( *visitor );1211 addrExpr->arg = addrExpr->arg->acceptMutator( *visitor ); 1209 1212 // ... but must happen after mutate, since argument might change (e.g. intrinsic *?, ?[?]) - re-evaluate above comment 1210 bool polytype = isPolyType( addrExpr-> get_arg()->get_result(), scopeTyVars, env );1213 bool polytype = isPolyType( addrExpr->arg->result, scopeTyVars, env ); 1211 1214 if ( polytype || needs ) { 1212 Expression *ret = addrExpr-> get_arg();1213 delete ret-> get_result();1214 ret-> set_result( addrExpr->get_result()->clone());1215 addrExpr-> set_arg( 0 );1215 Expression *ret = addrExpr->arg; 1216 delete ret->result; 1217 ret->result = addrExpr->result->clone(); 1218 addrExpr->arg = nullptr; 1216 1219 delete addrExpr; 1217 1220 return ret; … … 1250 1253 1251 1254 void Pass2::addAdapters( FunctionType *functionType ) { 1252 std::list< DeclarationWithType *> ¶mList = functionType-> get_parameters();1255 std::list< DeclarationWithType *> ¶mList = functionType->parameters; 1253 1256 std::list< FunctionType *> functions; 1254 1257 for ( std::list< DeclarationWithType *>::iterator arg = paramList.begin(); arg != paramList.end(); ++arg ) { … … 1271 1274 1272 1275 DeclarationWithType * Pass2::postmutate( FunctionDecl *functionDecl ) { 1273 FunctionType * ftype = functionDecl-> get_functionType();1274 if ( ! ftype-> get_returnVals().empty() && functionDecl->get_statements()) {1275 if ( ! isPrefix( functionDecl-> get_name(), "_thunk" ) && ! isPrefix( functionDecl->get_name(), "_adapter" ) ) { // xxx - remove check for prefix once thunks properly use ctor/dtors1276 assert( ftype-> get_returnVals().size() == 1 );1277 DeclarationWithType * retval = ftype-> get_returnVals().front();1278 if ( retval-> get_name()== "" ) {1279 retval-> set_name( "_retval" );1276 FunctionType * ftype = functionDecl->type; 1277 if ( ! ftype->returnVals.empty() && functionDecl->statements ) { 1278 if ( ! isPrefix( functionDecl->name, "_thunk" ) && ! isPrefix( functionDecl->name, "_adapter" ) ) { // xxx - remove check for prefix once thunks properly use ctor/dtors 1279 assert( ftype->returnVals.size() == 1 ); 1280 DeclarationWithType * retval = ftype->returnVals.front(); 1281 if ( retval->name == "" ) { 1282 retval->name = "_retval"; 1280 1283 } 1281 functionDecl-> get_statements()->get_kids().push_front( new DeclStmt( retval ) );1284 functionDecl->statements->kids.push_front( new DeclStmt( retval ) ); 1282 1285 DeclarationWithType * newRet = retval->clone(); // for ownership purposes 1283 ftype-> get_returnVals().front() = newRet;1286 ftype->returnVals.front() = newRet; 1284 1287 } 1285 1288 } 1286 1289 // errors should have been caught by this point, remove initializers from parameters to allow correct codegen of default arguments 1287 for ( Declaration * param : functionDecl-> get_functionType()->get_parameters()) {1290 for ( Declaration * param : functionDecl->type->parameters ) { 1288 1291 if ( ObjectDecl * obj = dynamic_cast< ObjectDecl * >( param ) ) { 1289 delete obj-> get_init();1290 obj-> set_init( nullptr );1292 delete obj->init; 1293 obj->init = nullptr; 1291 1294 } 1292 1295 } … … 1584 1587 assert( newMemberExpr ); 1585 1588 1586 Type *memberType = memberExpr->member->get_type(); 1589 // Must apply the generic substitution to the member type to handle cases where the member is a generic parameter substituted by a known concrete type, e.g. 1590 // forall(otype T) struct Box { T x; } 1591 // forall(otype T) f() { 1592 // Box(T *) b; b.x; 1593 // } 1594 // TODO: memberExpr->result should be exactly memberExpr->member->get_type() after substitution, so it doesn't seem like it should be necessary to apply the substitution manually. For some reason this is not currently the case. This requires more investigation. 1595 Type *memberType = memberExpr->member->get_type()->clone(); 1596 TypeSubstitution sub = objectType->genericSubstitution(); 1597 sub.apply( memberType ); 1587 1598 if ( ! isPolyType( memberType, scopeTyVars ) ) { 1588 1599 // Not all members of a polymorphic type are themselves of polymorphic type; in this case the member expression should be wrapped and dereferenced to form an lvalue … … 1592 1603 } 1593 1604 1605 delete memberType; 1594 1606 delete memberExpr; 1595 1607 return newMemberExpr; 1608 } 1609 1610 void PolyGenericCalculator::premutate( AddressExpr * addrExpr ) { 1611 GuardValue( addrMember ); 1612 // is the argument a MemberExpr before mutating? 1613 addrMember = dynamic_cast< MemberExpr * >( addrExpr->arg ); 1614 } 1615 1616 Expression * PolyGenericCalculator::postmutate( AddressExpr * addrExpr ) { 1617 if ( addrMember && addrMember != addrExpr->arg ) { 1618 // arg was a MemberExpr and has been mutated 1619 if ( UntypedExpr * untyped = dynamic_cast< UntypedExpr * >( addrExpr->arg ) ) { 1620 if ( InitTweak::getFunctionName( untyped ) == "?+?" ) { 1621 // MemberExpr was converted to pointer+offset, and it is not valid C to take the address of an addition, so strip the address-of 1622 // TODO: should addrExpr->arg->result be changed to addrExpr->result? 1623 Expression * ret = addrExpr->arg; 1624 addrExpr->arg = nullptr; 1625 std::swap( addrExpr->env, ret->env ); 1626 delete addrExpr; 1627 return ret; 1628 } 1629 } 1630 } 1631 return addrExpr; 1596 1632 } 1597 1633 -
src/SynTree/Expression.cc
r28bc8c8 r9d6f011 345 345 } 346 346 347 namespace {348 TypeSubstitution makeSub( Type * t ) {349 if ( ReferenceType * refType = dynamic_cast< ReferenceType * >( t ) ) {350 return makeSub( refType->get_base() );351 } else if ( StructInstType * aggInst = dynamic_cast< StructInstType * >( t ) ) {352 return TypeSubstitution( aggInst->get_baseParameters()->begin(), aggInst->get_baseParameters()->end(), aggInst->parameters.begin() );353 } else if ( UnionInstType * aggInst = dynamic_cast< UnionInstType * >( t ) ) {354 return TypeSubstitution( aggInst->get_baseParameters()->begin(), aggInst->get_baseParameters()->end(), aggInst->parameters.begin() );355 } else {356 assertf( false, "makeSub expects struct or union type for aggregate, but got: %s", toString( t ).c_str() );357 }358 }359 }360 361 362 347 MemberExpr::MemberExpr( DeclarationWithType *member, Expression *aggregate ) : 363 348 Expression(), member(member), aggregate(aggregate) { 364 349 assert( member ); 365 350 assert( aggregate ); 366 367 TypeSubstitution sub( makeSub( aggregate->get_result() ) ); 351 assert( aggregate->result ); 352 353 TypeSubstitution sub = aggregate->result->genericSubstitution(); 368 354 Type * res = member->get_type()->clone(); 369 355 sub.apply( res ); -
src/SynTree/ReferenceToType.cc
r28bc8c8 r9d6f011 14 14 // 15 15 16 #include <cassert> // for assert 17 #include <list> // for list, _List_const_iterator, list<>::cons... 18 #include <ostream> // for operator<<, basic_ostream, ostream, endl 19 #include <string> // for string, operator<<, char_traits, operator== 20 21 #include "Common/utility.h" // for printAll, cloneAll, deleteAll 22 #include "Declaration.h" // for StructDecl, UnionDecl, EnumDecl, Declara... 23 #include "Expression.h" // for Expression 24 #include "Type.h" // for TypeInstType, StructInstType, UnionInstType 16 #include <cassert> // for assert 17 #include <list> // for list, _List_const_iterator, list<>::cons... 18 #include <ostream> // for operator<<, basic_ostream, ostream, endl 19 #include <string> // for string, operator<<, char_traits, operator== 20 21 #include "Common/utility.h" // for printAll, cloneAll, deleteAll 22 #include "Declaration.h" // for StructDecl, UnionDecl, EnumDecl, Declara... 23 #include "Expression.h" // for Expression 24 #include "Type.h" // for TypeInstType, StructInstType, UnionInstType 25 #include "TypeSubstitution.h" // for TypeSubstitution 25 26 26 27 class Attribute; … … 63 64 std::string StructInstType::typeString() const { return "struct"; } 64 65 66 const std::list<TypeDecl*>* StructInstType::get_baseParameters() const { 67 if ( ! baseStruct ) return nullptr; 68 return &baseStruct->get_parameters(); 69 } 70 65 71 std::list<TypeDecl*>* StructInstType::get_baseParameters() { 66 72 if ( ! baseStruct ) return nullptr; … … 71 77 72 78 AggregateDecl * StructInstType::getAggr() { return baseStruct; } 79 80 TypeSubstitution StructInstType::genericSubstitution() const { 81 return TypeSubstitution( get_baseParameters()->begin(), get_baseParameters()->end(), parameters.begin() ); 82 } 73 83 74 84 void StructInstType::lookup( const std::string &name, std::list< Declaration* > &foundDecls ) const { … … 102 112 } 103 113 114 const std::list< TypeDecl * > * UnionInstType::get_baseParameters() const { 115 if ( ! baseUnion ) return nullptr; 116 return &baseUnion->get_parameters(); 117 } 118 104 119 bool UnionInstType::isComplete() const { return baseUnion ? baseUnion->has_body() : false; } 105 120 106 121 AggregateDecl * UnionInstType::getAggr() { return baseUnion; } 122 123 TypeSubstitution UnionInstType::genericSubstitution() const { 124 return TypeSubstitution( get_baseParameters()->begin(), get_baseParameters()->end(), parameters.begin() ); 125 } 107 126 108 127 void UnionInstType::lookup( const std::string &name, std::list< Declaration* > &foundDecls ) const { -
src/SynTree/ReferenceType.cc
r28bc8c8 r9d6f011 16 16 #include "Type.h" 17 17 #include "Expression.h" 18 #include "TypeSubstitution.h" 18 19 #include "Common/utility.h" 19 20 … … 35 36 } 36 37 38 TypeSubstitution ReferenceType::genericSubstitution() const { return base->genericSubstitution(); } 39 37 40 void ReferenceType::print( std::ostream &os, Indenter indent ) const { 38 41 Type::print( os, indent ); -
src/SynTree/Type.cc
r28bc8c8 r9d6f011 15 15 #include "Type.h" 16 16 17 #include "Attribute.h" // for Attribute 18 #include "Common/utility.h" // for cloneAll, deleteAll, printAll 19 #include "InitTweak/InitTweak.h" // for getPointerBase 20 #include "SynTree/BaseSyntaxNode.h" // for BaseSyntaxNode 21 #include "SynTree/Declaration.h" // for TypeDecl 17 #include "Attribute.h" // for Attribute 18 #include "Common/utility.h" // for cloneAll, deleteAll, printAll 19 #include "InitTweak/InitTweak.h" // for getPointerBase 20 #include "SynTree/BaseSyntaxNode.h" // for BaseSyntaxNode 21 #include "SynTree/Declaration.h" // for TypeDecl 22 #include "SynTree/TypeSubstitution.h" // for TypeSubstitution 22 23 23 24 using namespace std; … … 81 82 int Type::referenceDepth() const { return 0; } 82 83 84 TypeSubstitution Type::genericSubstitution() const { assertf( false, "Non-aggregate type: %s", toCString( this ) ); } 85 83 86 void Type::print( std::ostream &os, Indenter indent ) const { 84 87 if ( ! forall.empty() ) { -
src/SynTree/Type.h
r28bc8c8 r9d6f011 178 178 virtual bool isComplete() const { return true; } 179 179 180 virtual AggregateDecl * getAggr() { assertf( false, "Non-aggregate type: %s", toString( this ).c_str() ); } 180 virtual AggregateDecl * getAggr() { assertf( false, "Non-aggregate type: %s", toCString( this ) ); } 181 182 virtual TypeSubstitution genericSubstitution() const; 181 183 182 184 virtual Type *clone() const = 0; … … 329 331 virtual unsigned size() const override { return base->size(); } 330 332 333 virtual TypeSubstitution genericSubstitution() const override; 334 331 335 virtual ReferenceType *clone() const override { return new ReferenceType( *this ); } 332 336 virtual void accept( Visitor & v ) override { v.visit( this ); } … … 406 410 /// Accesses generic parameters of base struct (NULL if none such) 407 411 std::list<TypeDecl*> * get_baseParameters(); 412 const std::list<TypeDecl*> * get_baseParameters() const; 408 413 409 414 virtual bool isComplete() const override; 410 415 411 416 virtual AggregateDecl * getAggr() override; 417 418 virtual TypeSubstitution genericSubstitution() const override; 412 419 413 420 /// Looks up the members of this struct named "name" and places them into "foundDecls". … … 439 446 440 447 /// Accesses generic parameters of base union (NULL if none such) 441 std::list< TypeDecl * > * get_baseParameters(); 448 std::list<TypeDecl*> * get_baseParameters(); 449 const std::list<TypeDecl*> * get_baseParameters() const; 442 450 443 451 virtual bool isComplete() const override; 444 452 445 453 virtual AggregateDecl * getAggr() override; 454 455 virtual TypeSubstitution genericSubstitution() const override; 446 456 447 457 /// looks up the members of this union named "name" and places them into "foundDecls" -
src/tests/.expect/literals.x86.txt
r28bc8c8 r9d6f011 522 522 signed int __main__Fi___1(){ 523 523 __attribute__ ((unused)) signed int ___retval_main__i_1; 524 ((void)0b01101011); 525 ((void)0b01101011u); 526 ((void)0b01101011l); 527 ((void)0b01101011ll); 528 ((void)0b01101011ul); 529 ((void)0b01101011lu); 530 ((void)0b01101011ull); 531 ((void)0b01101011llu); 532 ((void)(+0b01101011)); 533 ((void)(+0b01101011u)); 534 ((void)(+0b01101011l)); 535 ((void)(+0b01101011ll)); 536 ((void)(+0b01101011ul)); 537 ((void)(+0b01101011lu)); 538 ((void)(+0b01101011ull)); 539 ((void)(+0b01101011llu)); 540 ((void)(-0b01101011)); 541 ((void)(-0b01101011u)); 542 ((void)(-0b01101011l)); 543 ((void)(-0b01101011ll)); 544 ((void)(-0b01101011ul)); 545 ((void)(-0b01101011lu)); 546 ((void)(-0b01101011ull)); 547 ((void)(-0b01101011llu)); 524 548 ((void)01234567); 525 549 ((void)01234567u); … … 1017 1041 ((void)(-0X0123456789.0123456789P-09F)); 1018 1042 ((void)(-0X0123456789.0123456789P-09L)); 1043 ((void)((signed char )0b01101011)); 1044 ((void)((signed short int )0b01101011)); 1045 ((void)((signed int )0b01101011)); 1046 ((void)((signed long long int )0b01101011)); 1047 ((void)((__int128 )0b01101011)); 1048 ((void)((unsigned char )0b01101011u)); 1049 ((void)((signed short int )0b01101011u)); 1050 ((void)((unsigned int )0b01101011u)); 1051 ((void)((signed long long int )0b01101011u)); 1052 ((void)((__int128 )0b01101011u)); 1053 ((void)(+((signed int )((signed char )0b01101011)))); 1054 ((void)(+((signed int )((signed short int )0b01101011)))); 1055 ((void)(+((signed int )0b01101011))); 1056 ((void)(+((signed long long int )0b01101011))); 1057 ((void)(+((float )((__int128 )0b01101011)))); 1058 ((void)(+((signed int )((unsigned char )0b01101011u)))); 1059 ((void)(+((signed int )((signed short int )0b01101011u)))); 1060 ((void)(+((unsigned int )0b01101011u))); 1061 ((void)(+((signed long long int )0b01101011u))); 1062 ((void)(+((float )((__int128 )0b01101011u)))); 1063 ((void)(-((signed int )((signed char )0b01101011)))); 1064 ((void)(-((signed int )((signed short int )0b01101011)))); 1065 ((void)(-((signed int )0b01101011))); 1066 ((void)(-((signed long long int )0b01101011))); 1067 ((void)(-((float )((__int128 )0b01101011)))); 1068 ((void)(-((signed int )((unsigned char )0b01101011u)))); 1069 ((void)(-((signed int )((signed short int )0b01101011u)))); 1070 ((void)(-((unsigned int )0b01101011u))); 1071 ((void)(-((signed long long int )0b01101011u))); 1072 ((void)(-((float )((__int128 )0b01101011u)))); 1019 1073 ((void)((signed char )01234567)); 1020 1074 ((void)((signed short int )01234567)); -
src/tests/concurrent/coroutineYield.c
r28bc8c8 r9d6f011 3 3 #include <stdlib> 4 4 #include <thread> 5 6 #ifdef LONG_TEST 7 static const unsigned long N = 600_000ul; 8 #else 9 static const unsigned long N = 1_000ul; 10 #endif 5 11 6 12 coroutine Coroutine {}; … … 18 24 int main(int argc, char* argv[]) { 19 25 Coroutine c; 20 for(int i = 0; i < 1_000; i++) {26 for(int i = 0; i < N; i++) { 21 27 sout | "Thread 1" | endl; 22 28 resume(c); -
src/tests/concurrent/signal/block.c
r28bc8c8 r9d6f011 15 15 #include <time.h> 16 16 17 #ifdef LONG_TEST 18 static const unsigned long N = 150_000ul; 19 #else 17 20 static const unsigned long N = 5_000ul; 21 #endif 18 22 19 23 #ifndef PREEMPTION_RATE -
src/tests/concurrent/signal/disjoint.c
r28bc8c8 r9d6f011 6 6 #include <time.h> 7 7 8 #ifdef LONG_TEST 9 static const unsigned long N = 300_000ul; 10 #else 8 11 static const unsigned long N = 10_000ul; 12 #endif 9 13 10 14 #ifndef PREEMPTION_RATE -
src/tests/concurrent/signal/wait.c
r28bc8c8 r9d6f011 13 13 #include <time.h> 14 14 15 #ifdef LONG_TEST 16 static const unsigned long N = 375_000ul; 17 #else 15 18 static const unsigned long N = 2_500ul; 19 #endif 16 20 17 21 #ifndef PREEMPTION_RATE -
src/tests/preempt_longrun/Makefile.am
r28bc8c8 r9d6f011 23 23 TIME = /usr/bin/time -f "%E" 24 24 25 BUILD_FLAGS = -g -Wall -Wno-unused-function -quiet @CFA_FLAGS@ -O2 -DPREEMPTION_RATE=${preempt} 25 BUILD_FLAGS = -g -Wall -Wno-unused-function -quiet @CFA_FLAGS@ -O2 -DPREEMPTION_RATE=${preempt} -DLONG_TEST 26 26 CFLAGS = ${BUILD_FLAGS} 27 27 CC = @CFA_BINDIR@/@CFA_NAME@ -
src/tests/preempt_longrun/Makefile.in
r28bc8c8 r9d6f011 454 454 REPEAT = ${abs_top_srcdir}/tools/repeat 455 455 TIME = /usr/bin/time -f "%E" 456 BUILD_FLAGS = -g -Wall -Wno-unused-function -quiet @CFA_FLAGS@ -O2 -DPREEMPTION_RATE=${preempt} 456 BUILD_FLAGS = -g -Wall -Wno-unused-function -quiet @CFA_FLAGS@ -O2 -DPREEMPTION_RATE=${preempt} -DLONG_TEST 457 457 TESTS = block coroutine create disjoint enter enter3 processor stack wait yield 458 458 all: all-am -
src/tests/preempt_longrun/create.c
r28bc8c8 r9d6f011 2 2 #include <thread> 3 3 4 static const unsigned long N = 2_000ul;4 static const unsigned long N = 60_000ul; 5 5 6 6 #ifndef PREEMPTION_RATE -
src/tests/preempt_longrun/enter.c
r28bc8c8 r9d6f011 3 3 #include <thread> 4 4 5 static const unsigned long N = 70_000ul;5 static const unsigned long N = 2_100_000ul; 6 6 7 7 #ifndef PREEMPTION_RATE -
src/tests/preempt_longrun/enter3.c
r28bc8c8 r9d6f011 3 3 #include <thread> 4 4 5 static const unsigned long N = 50 _000ul;5 static const unsigned long N = 500_000ul; 6 6 7 7 #ifndef PREEMPTION_RATE -
src/tests/preempt_longrun/processor.c
r28bc8c8 r9d6f011 12 12 } 13 13 14 thread worker_t {};15 16 void main(worker_t & this) {}17 18 extern processor * mainProcessor;19 extern thread_desc * mainThread;20 21 14 int main(int argc, char* argv[]) { 22 for(int i = 0; i < N; i++) { 23 assert(this_processor == mainProcessor); 24 assert(this_thread == mainThread); 25 processor p; 15 processor * p[15]; 16 for ( int pi = 0; pi < 15; pi++ ) { 17 p[pi] = new(); 18 } 19 for ( int i = 0; i < N; i++) { 20 int pi = i % 15; 21 delete( p[pi] ); 22 p[pi] = new(); 26 23 } 27 24 } -
src/tests/preempt_longrun/yield.c
r28bc8c8 r9d6f011 2 2 #include <thread> 3 3 4 #ifdef LONG_TEST 5 static const unsigned long N = 9_750_000ul; 6 #else 4 7 static const unsigned long N = 325_000ul; 8 #endif 5 9 6 10 #ifndef PREEMPTION_RATE
Note: See TracChangeset
for help on using the changeset viewer.