Join GitHub today
GitHub is home to over 28 million developers working together to host and review code, manage projects, and build software together.
Sign upRFC: Symbol Mangling v2 #2603
Conversation
michaelwoerister
added some commits
Sep 20, 2018
michaelwoerister
changed the title
Symbol Mangling v2
RFC: Symbol Mangling v2
Nov 27, 2018
Centril
added
T-compiler
A-linkage
labels
Nov 27, 2018
This comment has been minimized.
This comment has been minimized.
|
For the record, I'll be starting the compiler implementation/integration work ASAP, to get this RFC in rustc nightly, and later on, in other tools (such as GDB, LLDB, etc.). Doing this at the same time as the RFC will give us the ability to collect data at scale, and figure out edge cases and performance tradeoffs we might miss otherwise. |
eddyb
reviewed
Nov 27, 2018
|
|
||
| ### Methods | ||
|
|
||
| Methods are nested within `impl` or `trait` items. As such it would be possible to construct their symbol names as paths like `my_crate::foo::{{impl}}::some_method` where `{{impl}}` somehow identifies the the `impl` in question. Since `impl`s don't have names, we'd have to use an indexing scheme like the one used for closures (and indeed, this is what the compiler does internally). Adding in generic arguments to, this would lead to symbol names looking like `my_crate::foo::impl'17::<u32, char>::some_method`. |
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 27, 2018
Member
In the interest of keeping this RFC sufficiently detached from current implementation details, can we use some more general placeholder notation, such as <impl>, instead of {{impl}}?
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
It's just an example of how not to do it. The {{xyz}} notation is meant to remind of what some templating engines use, not what the compiler did at some point. But I can change it to <impl> if you prefer that.
eddyb
reviewed
Nov 27, 2018
|
|
||
| - Identifiers and trait impl path roots can have a numeric disambiguator (the `<disambiguator>` production). The syntactic version of the numeric disambiguator maps to a numeric index. If the disambiguator is not present, this index is 0. If it is of the form `s_` then the index is 1. If it is of the form `s<base-62-digit>_` then the index is `<base-62-digit> + 2`. The suggested demangling of a disambiguator is `[<index>]`. However, for better readability, these disambiguators should usually be omitted in the demangling altogether. Disambiguators with index zero can always be omitted. | ||
|
|
||
| The exception here are closures. Since these do not have a name, the disambiguator is the only thing identifying them. The suggested demangling for closures is thus `{closure}[<index>]`. |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
GCC uses something with braces and indices too:
int square(int num) {
auto foo = [num]() -> int { return num * num; };
return foo();
}The closure is demangled as square(int)::{lambda()#1}::operator()() const
(see https://godbolt.org/z/TaXWCe)
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 28, 2018
Member
Do debuggers work well with it? If so, how? Can we do some tests to see what works and what doesn't?
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
I assume that debuggers treat lambdas as regular operator() methods. What kind of tests did you have in mind?
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 28, 2018
Member
I'm referring to the problems @m4b mentions in #2603 (comment), regarding debuggers not being able to let you refer to symbol names that contain { (or perhaps only {{?).
If we change {{closure}} in the compiler with some other notation, we can see how well GDB and LLDB interact with the symbol names.
Although it's possible debuggers only handle such symbol names when they come from a mangling, which would mean debuggers should just pick a demangling that works for them, right?
eddyb
reviewed
Nov 27, 2018
|
|
||
| The exception here are closures. Since these do not have a name, the disambiguator is the only thing identifying them. The suggested demangling for closures is thus `{closure}[<index>]`. | ||
|
|
||
| - In a lossless demangling, identifiers from the value namespace should be marked with a `'` suffix in order to avoid conflicts with identifiers from the type namespace. In a user-facing demangling, where such conflicts are acceptable, the suffix can be omitted. |
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 27, 2018
Member
Wouldn't that include all the statics and functions? Seems a bit excessive.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
It does, but I don't think there's a way around it. Otherwise you get conflicts for examples like:
fn foo() {
fn bar() {}
}
mod foo {
fn bar() {}
}Note though that this is only for "lossless" demanglings. For most user-facing demanglings, like in debuggers or backtraces, the suffix can just be omitted. I suggest that demanglers support lossless or verbose option that is usually set to false.
eddyb
reviewed
Nov 27, 2018
| struct Foo<T>(T); | ||
| impl<T> Clone for Foo<T> { | ||
| fn clone<U>(_: U) { |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
eternaleye
Nov 28, 2018
•
Borrow<T> could work well
EDIT: Wait, no, missed you wanted the type param on the method.
eddyb
reviewed
Nov 27, 2018
| } | ||
| ``` | ||
| - unmangled: `mycrate::Foo::bar::QUUX` | ||
| - mangled: `_RNMN11mycrate_xxx3FooE3barV4QUUXVE` |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
arielb1
Nov 27, 2018
Contributor
Sure enough. You want to be able to distinguish between these 2 cases (this code compiles today):
struct Foo<U,V>(U,V);
impl<U: Fn()> Foo<U, u32> {
fn foo() {}
}
impl<U: Fn()> Foo<u32, U> {
fn foo() {}
}
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Dec 7, 2018
I had a little chat with @nikomatsakis about this yesterday and the outcome was that:
- we always should encode type parameters in paths like this one and
- we should also always encode parameter bounds in some form because there is no way to find out if they are needed for disambiguation without looking at other impls -- which we want to avoid. The bounds could be encoded in a numeric disambiguator though.
The consequences this has on symbol syntax should be small. We just have to find the best spot for adding parameter bounds.
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 7, 2018
•
Member
we should also always encode parameter bounds
I still think that's not ideal, and I'd prefer having a disambiguated path to the impl and/or to the type parameters (either of which would be hidden in the non-verbose mode).
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Dec 20, 2018
Can you give your reasons why having the path to the impl is better than encoding the bounds? I assume because it's less complicated?
eddyb
reviewed
Nov 27, 2018
| struct Foo<T>(T); | ||
| impl<T> Clone for Foo<T> { | ||
| default fn clone<U>(_: U) { |
This comment has been minimized.
This comment has been minimized.
rpjohnst
reviewed
Nov 27, 2018
| <path-root> := <crate-id> | ||
| | M <type> | ||
| | X <type> <abs-path> |
This comment has been minimized.
This comment has been minimized.
rpjohnst
Nov 27, 2018
Bringing this comment up again: https://internals.rust-lang.org/t/pre-rfc-a-new-symbol-mangling-scheme/8501/4?u=rpjohnst. Would it make sense to move the trait's self type into its argument list? It reorders things from how they are displayed in error messages, but simplifies the grammar a bit.
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 27, 2018
Member
I agree, we already treat <X as Trait<Y, Z>> as sugar for Trait applied with [X, Y, Z], there's no real reason to have it separate here.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
I didn't forget about the suggestion but unfortunately, while implementing it, it turned out that it makes the demangler a lot more complicated -- at least if we want to stick to the <X as Trait> demangling. If we mangle trait methods as foo::bar::Trait<SelfType, X, Y, Z>::method, the demangler cannot know that it is dealing with a trait method when it starts demangling the path at foo. It could only discover that when it gets to Trait and would then have to rewind and store the already generated output (foo::bar::Trait) on the heap, demangle the self-type, then copy back the trait path and continue demangling the trait's type arguments. It can only know that Trait is a trait if we put a special marker on the identifier, so traits would again be special cased. As a consequence, I thought, if we have to special case traits one way are the other, we can as well do it in a way that allows for efficient demangling and doesn't need the extra kind of logic.
The situation would be different if we actually wanted to demangle trait methods to foo::bar::Trait<SelfType, X, Y, Z>::method. But I don't think we want to do that, right?
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 28, 2018
Member
Oh, wait, an on-the-fly demangler needs to have everything in demangled order, right.
Is this only needed for <X as Trait<Y, Z>>, or are there other "out of order" constructs?
This comment has been minimized.
This comment has been minimized.
arielb1
reviewed
Nov 27, 2018
| ``` | ||
|
|
||
|
|
||
| ### Items Within Specialized Trait Impls |
This comment has been minimized.
This comment has been minimized.
arielb1
Nov 27, 2018
•
Contributor
Theoretically, you could also have stuff like this:
struct Foo<T>(T);
impl<T> Foo<T> where T: FnOnce() -> u32 {
fn foo() {
static ABC: u32 = 0;
}
}
impl<T> Foo<T> where T: FnOnce() -> f32 {
fn foo() {
static ABC: u32 = 0;
}
}It is not supported by today's coherence, but it might be supported someday in the future.
I suppose that for now it is enough to also let this case use the <Foo<T>>'N format for either or both impls.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 28, 2018
Yes, the RFC proposes to use a numeric disambiguator for keeping the two impls apart -- until specialization is finalized, at which point the disambiguator would be replaced with something more human-readable, which probably amounts to an encoding of the where clauses.
This comment has been minimized.
This comment has been minimized.
arielb1
Nov 28, 2018
Contributor
That code does not depend on specialization, as there is no overlap.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Nov 28, 2018
|
@m4b Let's discuss closures a bit. I want to get them fixed. The RFC proposes to demangle them as |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Nov 28, 2018
|
@bstrie Yes, I'm aware of these problems. I personally prefer to the indexing approach (I find C++'s |
This comment has been minimized.
This comment has been minimized.
|
I’m an end-user interested in cross-language interop, and I have some experience with implementation of the Itanium C++ ABI. I would like to provide a few notes on this RFC.
Thanks for listening. |
This comment has been minimized.
This comment has been minimized.
This can't handle all possible ABI-impacting details, only shallow ones, and on top of that, So to me, it seems like this would just increase symbol name size, without many (any?) benefits. |
Wilfred
reviewed
Nov 28, 2018
|
|
||
| - A mangled symbol should be *decodable* to some degree. That is, it is desirable to be able to tell which exact concrete instance of e.g. a polymorphic function a given symbol identifies. This is true for external tools, backtraces, or just people only having the binary representation of some piece of code available to them. With the current scheme, this kind of information gets lost in the magical hash-suffix. | ||
|
|
||
| - It should be possible to predict the symbol name for a given source-level construct. For example, given the definition `fn foo<T>() { ... }`, the scheme should allow to construct, by hand, the symbol names for e.g. `foo<u32>` or `foo<extern fn(i32, &mut SomeStruct<(char, &str)>, ...) -> !>()`. Since the current scheme generates its hash from the values of various compiler internal data structures, not even an alternative compiler implementation could predicate the symbol name, even for simple cases. |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
rocallahan
commented
Nov 28, 2018
|
What justifies the additional complexity of the "does not itself add any new information" rule for node equivalence? Is this a microoptimization or does it make things easier to implement? |
jsgf
reviewed
Nov 29, 2018
| "j" | // RustInstrinsic | ||
| "p" | // PlatformInstrinsic | ||
| "u" // Unadjusted | ||
| ) |
This comment has been minimized.
This comment has been minimized.
jsgf
Nov 29, 2018
This all seems a bit arbitrary. Given that in principle there could be an unbounded number of ABIs, it seems like we should splurge on using a real string here rather than a single character. I'm also going to guess that these will be relatively rare, so space isn't a consideration?
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 29, 2018
•
Member
I'd also favor encoding the ABI "string" (ideally as an identifier, replacing - with _, etc.)
This makes me wonder if Rust should've used extern(C) fn syntax instead of extern "C" fn, but it's too late now.
This comment has been minimized.
This comment has been minimized.
| "u" // Unadjusted | ||
| ) | ||
| <disambiguator> = "s" [<base-62-digit>] "_" |
This comment has been minimized.
This comment has been minimized.
jsgf
Nov 29, 2018
Is this only a single digit? What if more than 62 things need disambiguation? I can imagine such things arising in generated code.
I'd propose {<base-62-digit>}.
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 29, 2018
Member
Meta-nit: in a post-regex world, I find EBNF somewhat unintuitive: it took me a while to even notice that by {...} you meant "replace ? with *", initially I thought you were talking about "{" ... "}".
cc @Centril (who started using "lyg" syntax instead)
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 29, 2018
Whoops, that's just a mistake in the grammar. It should be {<base-62-digit>} indeed.
This comment has been minimized.
This comment has been minimized.
| <generic-arguments> = "I" {<type>} "E" | ||
| <substitution> = "S" [<base-62-digit>] "_" |
This comment has been minimized.
This comment has been minimized.
jsgf
Nov 29, 2018
Likewise seems safer to make this {...} (notwithstanding other comments about compression).
| With this post-processing in place the Punycode strings can be treated like regular identifiers and need no further special handling. | ||
|
|
||
|
|
||
| ## Compression |
This comment has been minimized.
This comment has been minimized.
jsgf
Nov 29, 2018
I'd be very tempted to omit this kind of ad-hoc compression scheme in favour of using a standard algorithm like zstd (say, zstd with a well-defined domain-specific dictionary). (cc @Cyan4973 - are there any examples of using zstd for per-symbol compression?)
Historically C++ demanglers have been very fragile, and I suspect a big part of that is due to the implementation complexity of the Itanium ABI compression mechanism.
Aside from the implementation issues, because this is so coupled with the definition of the mangling scheme itself, it means that any future evolution of mangling needs to also take compression into account. Using a completely separate compression layer makes this a non-issue. The other nice thing about making compression largely isolated from the rest of the encoding is that it means it can be added in a second pass as an extension once we have some experience with uncompressed mangling - maybe it wouldn't be so bad?
The main problem with using an external library is that any Rust demangler introduces another dependency. This is particularly worth considering when integrating Rust demangler support into other tools like binutils/llvm/perf/valgrind/etc.
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 29, 2018
Member
I believe we can come up with a simple compression scheme (i.e. refer back to the byte position where the first occurrence of something was encoded).
This would allow a demangler implementation to have 0 external dependencies, and the specification would also not implicitly depend on another standard.
It might also behave better than zstd given the limitation of [a-zA-Z0-9_] (which makes bit streams less appealing), and it has the advantage that any path component name is guaranteed to show up in clear.
However, I would not be opposed to at least having a compiler mangling option which disregards the [a-zA-Z0-9_] limitation and which does the best compression it can, for use in situations where that might be advantageous (although at that point, you might be better off with symbol names just, say, hashes, and keep everything else in split debuginfo, and/or an ad-hoc mapping from hashes to symbol names).
Oh and should definitely gather data on all compression schemes we can think of (that are not too painful to implement), before we accept the RFC!
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 29, 2018
I've listed the zstd option as point 5 in Rational and Alternatives. I would be interested in seeing how zstd performs. But it does come with some real downsides:
- Every demangler would have to support
zstd. That's another dependency that not everyone might want to pull in. - The specification of the mangling scheme would depend on the specification of
zstd. I see that there's an IETF RFC for it. That's good. But it's still rather heavyweight. - Mangled symbol would not retain any human-readability at all.
I think one of the next steps would be to collect a body of symbol names for testing different compression schemes.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 29, 2018
@jsgf I do acknowledge, btw, that an AST-independent compression scheme is clearly beneficial when it comes to evolving the grammar.
This comment has been minimized.
This comment has been minimized.
jsgf
Dec 2, 2018
@michaelwoerister Yes, I think extra dependencies and non-readability reasonable counter-arguments to using zstd.
(waving hands wildly) I'm assuming that we wouldn't bother compressing small symbols, so they would remain directly readable, and large symbols with any compression scheme would be such a soup that even if the compression scheme leaves some parts "in the clear" they're still not directly readable in any practical sense.
| ### Punycode vs UTF-8 | ||
| During the pre-RFC phase, it has been suggested that Unicode identifiers should be encoded as UTF-8 instead of Punycode on platforms that allow it. GCC, Clang, and MSVC seem to do this. The author of the RFC has a hard time making up their mind about this issue. Here are some interesting points that might influence the final decision: | ||
|
|
||
| - Using UTF-8 instead of Punycode would make mangled strings containing non-ASCII identifiers a bit more human-readable. For demangled strings, there would be no difference. |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
|
|
||
| ### Methods | ||
|
|
||
| Methods are nested within `impl` or `trait` items. As such it would be possible to construct their symbol names as paths like `my_crate::foo::{{impl}}::some_method` where `{{impl}}` somehow identifies the the `impl` in question. Since `impl`s don't have names, we'd have to use an indexing scheme like the one used for closures (and indeed, this is what the compiler does internally). Adding in generic arguments to, this would lead to symbol names looking like `my_crate::foo::impl'17::<u32, char>::some_method`. |
This comment has been minimized.
This comment has been minimized.
jsgf
Nov 29, 2018
Given that impls can appear anywhere within the crate, would the path be to the impl itself, or to the type being impled?
Do we need distinguish between different impls, or just impls with different constraints?
Given these questions, I think the proposal below to ignore impls themselves makes sense.
This comment has been minimized.
This comment has been minimized.
eddyb
Nov 29, 2018
Member
The type being impled doesn't have to be a path, it can be e.g. [u8], so I think the safest thing to do would be to have both a path to the impl and the full type (and optionally trait) the impl is for.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Nov 29, 2018
The PR proposes to not include the path of the impl at all. @eddyb, you would rather demangle symbols to something like my_crate::foo::impl<u32, char>::some_method?
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 2, 2018
Member
I don't understand what Self and the Trait are in that example.
What I'm thinking is mangling the equivalent information of e.g. my_crate::foo::impl'17<my_crate::foo::S as my_crate::Trait>::some_method, demangling back to that only in verbose mode, but only showing <my_crate::foo::S as my_crate::Trait>::some_method in the "user-friendly" mode.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
jsgf
commented
Nov 29, 2018
|
@zackw +1 on most of your points, but I think for 2. to matter it would mean that Rust compilation would have to change a lot. In practice with Rust code, one never sees linker errors for Rust symbols. |
This comment has been minimized.
This comment has been minimized.
|
This is a great RFC :) Thank you! Some thoughts:
|
This comment has been minimized.
This comment has been minimized.
|
Also, perhaps I missed this, but what about symbol names for things like struct fields and tuple elements? In optimized code, this wouldn't be a problem, but what about symbol tables for debuggers? |
This comment has been minimized.
This comment has been minimized.
m4b
commented
Nov 29, 2018
I’m not in front of a computer otherwise I’d give more detailed example comparing c++ and rust, and I don’t know whether it’s our gdb implementation (I believe it isn’t because I switched gdbs language and it still had issues) but I’ve never been able to print or otherwise refer to anything with {{ or }} in their names. In gdb one can do:
For rust closures it errors out. Similar one cannot set a breakpoint for the same reason, or the various other commands, whatis, print, info sym/addr, etc. I have had similar issues with lldb (though it does not offer a raw print similar to gdb single quotes), so I dunno; sometimes it’s hard to tell if the debugger doesn’t like the symbol or our debuginfo has issues (the latter I’ve seen in the past) Closures, as well as I believe trait impls, have been a particular sore spot for debugging and rust for me. As for their display, I don’t have a great many opinions on that per say. Mostly i would just like it to be some approximation of “reasonable”, but I’d really like to see As for line numbers and file name that was a random idea to make backtrackes more clear; another commenter suggested symbol names would change based on rustfmt which is a good argument to not do that imho; then again, I can also see motivations for not caring ? I’d at least like some kind of identifying information (if possible) in the backtrace, and to be clear i think the index idea is great, but otherwise I would just like all {{ in symbol names to disappear since it doesn’t appear to play nice with the debuggers I’ve used. |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Nov 30, 2018
|
Thanks a lot for the detailed response, @m4b! I would also like to avoid line numbers in symbol names because it would mean that incremental compilation has to re-compile all closures if you change anything else that comes before in the same file. This is already the case when compiling with debuginfo, but we might be able to fix that in the future. Other than that, I think we just have to find an encoding that fulfills the following requirements:
|
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Nov 30, 2018
That's the plan. See https://github.com/michaelwoerister/std-mangle-rs for the current reference implementation.
The only data-structure needed for demangling is a
Yeah, since the mangled names must not lose information on identifiers and generic arguments of the input, and the input is basically unbounded, there is no way of limiting the length of mangled names in general. |
This comment has been minimized.
This comment has been minimized.
|
@michaelwoerister Replying to some of your notes, out of order:
IMO it's not a matter of verification, it's a matter of ensuring unambiguous demangling. Suppose you have an object file that defines the ill-formed symbol
I could live without including the full type signature, but I think both @eddyb and you are underestimating the probability of a type clash going undetected under this proposal, particularly when we start talking about cross-language interop and alternative implementations of the Rust compiler (which may have different sets of bugs). Keep in mind that if there's a hash collision (which is the case where it would matter), you would not see a linker error; the program would appear to link successfully, and then malfunction at runtime. I don't know how the existing hashes are computed; I presume they are cryptographically strong. Per-symbol hashes are the full hash and they do include the type signature, so collisions are unlikely. But crate disambiguator hashes (whether or not they include the full type signature of each symbol) are truncated to only a few hex digits, which makes collisions possible again, even though the hash is strong. So the proposed scheme is significantly weaker at detecting this type of error than the current one. |
eddyb
reviewed
Dec 2, 2018
| @@ -49,7 +49,7 @@ A symbol mangling scheme has a few goals, one of them essential, the rest of the | |||
|
|
|||
| - A mangled symbol should be *decodable* to some degree. That is, it is desirable to be able to tell which exact concrete instance of e.g. a polymorphic function a given symbol identifies. This is true for external tools, backtraces, or just people only having the binary representation of some piece of code available to them. With the current scheme, this kind of information gets lost in the magical hash-suffix. | |||
|
|
|||
| - It should be possible to predict the symbol name for a given source-level construct. For example, given the definition `fn foo<T>() { ... }`, the scheme should allow to construct, by hand, the symbol names for e.g. `foo<u32>` or `foo<extern fn(i32, &mut SomeStruct<(char, &str)>, ...) -> !>()`. Since the current scheme generates its hash from the values of various compiler internal data structures, not even an alternative compiler implementation could predicate the symbol name, even for simple cases. | |||
| - It should be possible to predict the symbol name for a given source-level construct. For example, given the definition `fn foo<T>() { ... }`, the scheme should allow to construct, by hand, the symbol names for e.g. `foo<u32>` or `foo<extern fn(i32, &mut SomeStruct<(char, &str)>, ...) -> !>()`. Since the current scheme generates its hash from the values of various compiler internal data structures, not even an alternative compiler implementation could predict the symbol name, even for simple cases. | |||
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 2, 2018
Member
We should avoid (accidentally) providing interop guarantees. A compiler should only be guaranteed to interop between artifacts it generated.
Unless what we're saying is that for a specific compiler version, an alternative compiler should be able to generate the same symbol names, but certain details might remain implementation-specific?
Still, it's likely of little use, given that the necessary compiler-specific metadata blob won't be compatible.
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 2, 2018
•
Member
Maybe we should keep the hash but make it optional, and have the demangler hide it?
Or at least enough bits of it (1-2 base62 digits) to make it unpredictable.
(and have it depend on the compiler version, just for good measure)
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 4, 2018
Member
Coming back to this, 2 new ideas:
-
on the first build of a crate, generate some entropy, store it in crate and incremental metadata (so it can be reused until that crate is cleared)
-
we don't really need to add an extra character or two from the hash if we make the crate hashes explicitly and intentionally unpredictable, uninteropable and generally implementation-defined
In general, we could use 1. to be less "absolutely" deterministic than we otherwise would be (e.g. TypeId), and avoid accidental interop between two different builds where Cargo happens to use the exact same rustc flags (-Cmetadata specifically) with the same source.
This comment has been minimized.
This comment has been minimized.
zackw
Dec 4, 2018
•
Contributor
if we make the crate hashes explicitly and intentionally unpredictable
Would this make the build nondeterministic, in the sense used by reproducible-builds.org ?
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 4, 2018
Member
@zackw Oh, I had forgotten about builds like that, I was only thinking of incremental.
In that case we can only include entropy specific to the rustc compiler executable (and that build would also have to be determinstic - can probably use the version, including the git hash).
In any case, I think it's enough to make sure there's no predictable way to go from -Cmetadata values to the crate hashes in the mangling, even if it has to be deterministic.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Dec 7, 2018
As long as this safeguard is:
- encoded in a single component somewhere,
- can be omitted in user-facing demanglings,
- does not impede reproducible builds, and
- can be removed from the grammar, should we ever want to define a stable ABI,
then I think we might be able do it?
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 7, 2018
•
Member
IMO this bulletpoint in the RFC should be rephrased and/or made an explicit anti-goal.
To summarize the comments above, I think it might be sufficient for the crate hashes to be unpredictable (even if deterministic for a given Rust implementation), if you only know the rustc command-line arguments passed by Cargo.
There's, however, a small risk of some tool extracting enough of these hashes to reuse them. For that, we should explicitly say that these are implementation-defined, change between versions, generally have no guarantees, and should not be used for interop.
If we do want to add some extra information, I suppose we can just not guarantee anything about the crate hashes and extend some of them with additional digits, or maybe generalize the scheme used to add hashes to crates and merge it with disambiguators (e.g. for impl)?
We can say disambiguators are implementation-defined in general, can't we?
EDIT: if we treat disambiguators like unspecified blobs, we could even use them for encoding the type information needed for some sort of sound "linking types" scheme (not exactly "stable ABI", but potentially replacing some of the major usecases).
This comment has been minimized.
This comment has been minimized.
I don't think we need a parser generator, it should be straight-forward to demangle symbols in a "handwritten
Wasn't the premise that there's a signature mismatch, making the hash distinct, not equal? Whereas with the new mangling a signature mismatch wouldn't cause a distinct symbol name?
I'm not sure how those are relevant. I would very much like to see this RFC as "finding a good implementation detail for symbol names that can aid debugging", not anything like a stable type-driven linking ABI detail (such as is the case for C++). The correctness of any tool should not, IMO, be tied to symbol names. Rust implementations should still be required to maintain their own internal mapping from a stronger identity to enough information to be able to generate the mangling and memory/call ABI details. EDIT: I am a bit scared of the prospect of people abusing debugging-friendly symbol mangling to get some sort of interop (see also #2603 (comment)), so one concern I will register once this RFC goes into FCP is to ensure that the wording gives us the ability to break such usecases at will. |
This comment has been minimized.
This comment has been minimized.
rocallahan
commented
Dec 2, 2018
Proliferation of mangling schemes would cause problems for debuggers. Please don't. You may tell developers that opting into non-standard mangling disables debugging, but people are going to ignore that thanks to the eternal optimism of the programmer. Yet eventually someone will want to debug them, and if those binaries can be demangled at all, debuggers will be pressured to support them. |
This comment has been minimized.
This comment has been minimized.
|
@rocallahan I don't expect we'll support more than one decompression scheme after we do enough benchmarking to settle on one. And a hash-only "mangling" wouldn't need any debugger support at all - it has no information and it's not meant to be debugged (short of having split debuginfo that is kept separate from e.g. the binaries being shipped to user of a game/application etc.). EDIT: the point isn't that we want a plethora of options and variants, it's that the implementations (i.e. Rust compilers) use symbol names as an "output" (which is ideally in a format debuggers can turn into something human-readable), but not the "principal identity" of a definition - that must still be a separate concept, implementation-defined and subject to perma-unstable ABI (for now, at least). |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Dec 4, 2018
|
I'm also against allowing more than one mangling scheme. If the compiler infrastructure allows to experiment with more than one compression scheme, that's great. But it should not be exposed to the end-user for the reasons @rocallahan gives. |
This comment has been minimized.
This comment has been minimized.
tromey
commented
Dec 6, 2018
The debuggers can cope with nearly anything. gdb doesn't right now because the |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Dec 7, 2018
|
Thanks for the info, @tromey! I think we'll want to stick to the index-based encoding for closures. |
eddyb
reviewed
Dec 7, 2018
| | "o" // u128 | ||
| | "s" // i16 | ||
| | "t" // u16 | ||
| | "u" // () |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
eddyb
reviewed
Dec 7, 2018
| // The <decimal-number> specifies the encoding version. | ||
| <symbol-name> = "_R" [<decimal-number>] <absolute-path> [<instantiating-crate>] | ||
| <absolute-path> = "N" <path-prefix> [<generic-arguments>] "E" |
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 7, 2018
Member
I guess these choices (N, E) and some of the basic types, happen to match the Itanium ABI?
I was thinking P might make more sense for paths, and I or J as a "closing bracket" (more so than E) but this is kind of a pointless bikeshed, since we don't expect people to read these themselves.
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Dec 10, 2018
Yeah, I guess E makes sense as an "end" marker. Without a strong reason, I'd just stick to N and E. They are as good as any.
eddyb
reviewed
Dec 7, 2018
| <path-prefix> = <identifier> | ||
| | "M" <type> | ||
| | "X" <type> <absolute-path> [<disambiguator>] |
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
This comment has been minimized.
eddyb
reviewed
Dec 7, 2018
| Mangled names conform to the following grammar: | ||
|
|
||
| ``` | ||
| // The <decimal-number> specifies the encoding version. |
This comment has been minimized.
This comment has been minimized.
eddyb
Dec 7, 2018
Member
Do we need this?
I guess it would be hard to remain backwards-compatible with demanglers when we add something, given how arbitrary all the rules are, but that doesn't mean we need to specify a way to upgrade the version, unless we want to change the meaning of the existing syntax?
Do you envision some special handling when a demangler sees a digit after _R?
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Dec 10, 2018
A demangler could quickly determine that it cannot handle a given symbol. And it could quickly switch between different demangling algorithms based on the version.
It is a more complicated problem than I thought at first, though. I think we'll always try to change as little as possible when adding something. It still means that symbol using new features can't be demangled by older demanglers.
It's still good to have some version marker in there. If there was a radical change in the encoding, we could still keep the _R prefix this way.
This comment has been minimized.
This comment has been minimized.
m4b
commented
Dec 10, 2018
|
A general worry/comment: it doesn’t appear so, but just to clarify, there aren’t any assumptions or details about this RFC which would inhibit or otherwise cause issues with stabilizing a rust ABI in some glorious future, yes? Stabilizing and specifying symbol mangling and hence symbol names are one piece of that puzzle, so this is a great step forward, but just want to make sure that particular perspective is at least momentarily considered in case there’s something there waiting to cause trouble in the future :) Again I don’t think so but just wanted to bring it up explicitly. |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Dec 11, 2018
I don't think there's anything in here that blocks defining a stable ABI. It looks like some of the numeric disambiguator values will remain implementation defined for the time being but there's no inherent reason they can't be well-specified in the future. |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Dec 20, 2018
|
Since it has become clear that we need to either encode
(@eddyb: The above assumes we are encoding parameter bounds just to keep things simple, we still should keep discussing the path-to-impl approach) NOTE: Why wasn't this part of the initial syntax proposal?Merging the syntactic forms for inherent and trait impls is possible because of a new assumption. While talking to @nikomatsakis I learned that all impls are supposed to be demangled to the NOTE: The node equivalence rule for compressionWhile experimenting with the change to the grammar, I came to agree with what I think is @rocallahan's intuition about the extended AST node equivalence definition: That it is a micro-optimization that isn't quite worth the complexity it adds. |
quark-zju
referenced this pull request
Jan 1, 2019
Closed
Perhaps programs compiled with Rust also can be traced #594
This comment has been minimized.
This comment has been minimized.
Various Rust / rustc-specific details this RFC should addressWhile implementing & testing the new symbol mangler, I found these, in no particular order:
Constrained demanglersOne thing I wanted to keep in mind is that ideally a demangler wouldn't need to work with integers larger than 64 bits to parse the mangled string. A more notable example is the The main consequence of this is having to demangle without dynamic allocation, which runs into:
Byte position backreferencesI prefer them over the "substitutions" from Itanium C++ ABI & this RFC, as they:
However, there are some drawbacks:
The grammar requirements result in more or less a "prefix notation", moving as much as possible to the start, and never ending with an optional/repetition, e.g.: // This is fine - the repetition is followed by a mandatory "E"
<type> = "T" {<type>} "E" | ...
// This is a problem - it effectively ends in {<identifier>}
// (so it's clear on which identifier you should stop)
<path-prefix> = <path-prefix> <identifier> | ...GrammarKeeping in mind everything I've mentioned above, and trying to not change too much from this RFC (especially the more arbitrary choices), this is what I ended up with: // The <decimal-number> specifies the encoding version.
<symbol-name> = "_R" [<decimal-number>] <path> [<instantiating-crate>]
<path> = "C" <identifier> // crate root
| "M" <impl-path> <type> // <T> (inherent impl)
| "X" <impl-path> <type> <path> // <T as Trait> (trait impl)
| "Y" <type> <path> // <T as Trait> (trait definition)
| "N" <ns> <path> <identifier> // ...::ident (nested path)
| "I" <path> {<generic-arg>} "E" // ...<T, U> (generic args)
| <backref>
// Path to an impl (without the Self type or the trait).
// The <path> is the parent, while the <disambiguator> distinguishes
// between impls in that same parent (e.g. multiple impls in a mod).
// This exists as a simple way of ensure uniqueness, and demanglers
// don't need to show it (unless the location of the impl is desired).
<impl-path> = [<disambiguator>] <path>
// The <decimal-number> is the length of the identifier in bytes.
// <bytes> is the identifier itself and must not start with a decimal digit.
// If the "u" is present then <bytes> is Punycode-encoded.
<identifier> = [<disambiguator>] <undisambiguated-identifier>
<disambiguator> = "s" [<base-62-number>] "_"
<undisambiguated-identifier> = ["u"] <decimal-number> <bytes>
// Namespace of the identifier in a (nested) path.
// It's an a-zA-Z character, with a-z reserved for implementation-internal
// disambiguation categories (and demanglers should never show them), while
// A-Z are used for special namespaces (e.g. closures), which the demangler
// can show in a special way (e.g. `NC...` as `...::{closure}`), or just
// default to showing the uppercase character.
<ns> = "C" // closure
| "S" // shim
| <A-Z> // other special namespaces
| <a-z> // internal namespaces
<generic-arg> = <lifetime>
| <type>
| "K" <const> // forward-compat for const generics
// An anonymous (numbered) lifetime, either erased or higher-ranked.
// Index 0 is always erased (can show as '_, if at all), while indices
// starting from 1 refer (as de Bruijn indices) to a higher-ranked
// lifetime bound by one of the enclosing <binder>s.
<lifetime> = "L" <base-62-number>
// Specify the number of higher-ranked (for<...>) lifetimes to bound.
// <lifetime> can then later refer to them, with lowest indices for
// innermost lifetimes, e.g. in `for<'a, 'b> fn(for<'c> fn(...))`,
// any <lifetime>s in ... (but not inside more binders) will observe
// the indices 1, 2, and 3 refer to 'c, 'b, and 'a, respectively.
<binder> = "G" <base-62-number>
<type> = <basic-type>
| <path> // named type
| "A" <type> <const> // [T; N]
| "S" <type> // [T]
| "T" {<type>} "E" // (T1, T2, T3, ...)
| "R" [<lifetime>] <type> // &T
| "Q" [<lifetime>] <type> // &mut T
| "P" <type> // *const T
| "O" <type> // *mut T
| "F" <fn-sig> // fn(...) -> ...
| "D" <dyn-trait> <lifetime> // dyn Trait<Assoc=X> + Send + 'a
| <backref>
<basic-type> = // original <basic-type> from the RFC, plus:
| "p" // placeholder (e.g. for generic params), shown as _
// If the "U" is present then the function is `unsafe`.
// The return type is always present, but demanglers can
// choose to omit the ` -> ()` by special-casing "u".
<fn-sig> = <binder> ["U"] ["K" <abi>] {<type>} "E" <type>
<abi> = "C"
| <undisambiguated-identifier>
<dyn-trait> = <binder> {<dyn-trait-path>} "E"
<dyn-trait-path> = <path> {<dyn-trait-assoc-binding>}
<dyn-trait-assoc-binding> = "p" <undisambiguated-identifier> <type>
<const> = <type> <const-data>
| <type> "p" // placeholder (e.g. for polymorphic constants), shown as _: T
| <backref>
// The encoding of a constant depends on its type, currently only
// unsigned integers (mainly usize, for arrays) are supported, and they
// use their value, in base 16 (0-9a-f), not their memory representation..
//
// Note that while exposing target-specific data layout information, such
// as pointer size, endianness, etc. should be avoided as much as possible,
// it might become necessary to include raw bytes, even whole allocation
// subgraphs (that miri created), for const generics with non-trivial types.
//
// However, demanglers could just show the raw encoding without trying to
// turn it into expressions, unless they're part of e.g. a debugger, with
// more information about the target data layout and/or from debuginfo.
<const-data> = {<hex-digit>} "_"
// <base-62-number> uses 0-9-a-z-A-Z as digits, i.e. 'a' is decimal 10 and
// 'Z' is decimal 61.
// "_" with no digits indicates the value 0, while any other value is offset
// by 1, e.g. "0_" is 1, "Z_" is 62, "10_" is 63, etc.
<base-62-number> = {<0-9a-zA-Z>} "_"
<backref> = "B" <base-62-number>
// We use <path> here, so that we don't have to add a special rule for
// compression. In practice, only a crate root is expected.
<instantiating-crate> = <path>StatsA complete mangler & demangler implementation means I can dump a lot of symbol names to compare several approaches, so I've done that for building libstd, rustc and Cargo (1.3GB of dumps). This comment is getting long so I'm not going to embed the generated table, but you can find it here: https://gist.github.com/eddyb/786598131525ef5adc9189a30e31c2fc Column explanation:
ConclusionI was expecting my "prefix notation" grammar to produce slightly larger symbols than @michaelwoerister's implementation. Instead, I'm surprised to see it's somewhat shorter. |
This was referenced Jan 29, 2019
added a commit
to rust-lang/rust
that referenced
this pull request
Jan 29, 2019
added a commit
to rust-lang/rust
that referenced
this pull request
Jan 29, 2019
shepmaster
reviewed
Jan 30, 2019
| # Summary | ||
| [summary]: #summary | ||
|
|
||
| This RFC proposes a new mangling scheme that describes what the symbol names generated by the Rust compiler. This new scheme has a number of advantages over the existing one which has grown over time without a clear direction. The new scheme is consistent, does not depend on compiler internals, and the information it stores in symbol names can be decoded again which provides an improved experience for users of external tools that work with Rust symbol names. The new scheme is based on the name mangling scheme from the [Itanium C++ ABI][itanium-mangling]. |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
describes what the symbol names generated by the Rust compiler
I think you lost a word here.
(Meta note — if you hard-wrap your text to a certain number of columns, GH comments can be more specifically targeted)
This comment has been minimized.
This comment has been minimized.
michaelwoerister
Jan 30, 2019
(Meta note — if you hard-wrap your text to a certain number of columns, GH comments can be more specifically targeted)
This comment has been minimized.
This comment has been minimized.
zackw
Jan 30, 2019
Contributor
It's even better to put hard returns after each sentence and, for long sentences, each clause, but it takes some getting used to when you're writing it.
|
|
||
| The function `foo` lives in the value namespaces while the module `foo` lives in the type namespace. They don't interfere. In order to make the symbol names for the two distinct `bar` functions unique, we thus add a suffix to name components in the value namespace, so case one would get the symbol name `N15mycrate_4a3b56d3fooV3barVE` and case two get the name `N15mycrate_4a3b56d3foo3barVE` (notice the difference: `3fooV` vs `3foo`). | ||
|
|
||
| There is on final case of name ambiguity that we have to take care of. Because of macro hygiene, multiple items with the same name can appear in the same context. The compiler internally disambiguates such names by augmenting them with a numeric index. For example, the first occurrence of the name `foo` within its parent is actually treated as `foo'0`, the second occurrence would be `foo'1`, the next `foo'2`, and so one. The mangling scheme will adopt this setup by appending a disambiguation suffix to each identifier with a non-zero index. So if macro expansion would result in the following code: |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| There is on final case of name ambiguity that we have to take care of. Because of macro hygiene, multiple items with the same name can appear in the same context. The compiler internally disambiguates such names by augmenting them with a numeric index. For example, the first occurrence of the name `foo` within its parent is actually treated as `foo'0`, the second occurrence would be `foo'1`, the next `foo'2`, and so one. The mangling scheme will adopt this setup by appending a disambiguation suffix to each identifier with a non-zero index. So if macro expansion would result in the following code: | |
| There is one final case of name ambiguity that we have to take care of. Because of macro hygiene, multiple items with the same name can appear in the same context. The compiler internally disambiguates such names by augmenting them with a numeric index. For example, the first occurrence of the name `foo` within its parent is actually treated as `foo'0`, the second occurrence would be `foo'1`, the next `foo'2`, and so one. The mangling scheme will adopt this setup by appending a disambiguation suffix to each identifier with a non-zero index. So if macro expansion would result in the following code: |
|
|
||
| ### Unicode Identifiers | ||
|
|
||
| Rust allows Unicode identifiers but our character set is restricted to ASCII alphanumerics, and `_`. In order to transcode the former to the latter, we use the same approach as Swift, which is: encode all non-ascii identifiers via [Punycode][punycode], a standardized and efficient encoding that keeps encoded strings in a rather human-readable format. So for example, the string |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| Rust allows Unicode identifiers but our character set is restricted to ASCII alphanumerics, and `_`. In order to transcode the former to the latter, we use the same approach as Swift, which is: encode all non-ascii identifiers via [Punycode][punycode], a standardized and efficient encoding that keeps encoded strings in a rather human-readable format. So for example, the string | |
| Rust allows Unicode identifiers but our character set is restricted to ASCII alphanumerics, and `_`. In order to transcode the former to the latter, we use the same approach as Swift, which is: encode all non-ASCII identifiers via [Punycode][punycode], a standardized and efficient encoding that keeps encoded strings in a rather human-readable format. So for example, the string |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
via Punycode
Punycode is defined in such a way that no two Unicode strings map to the same output, right?
What would these two map to?
fn gödel() {}
fn göödel() {}
This comment has been minimized.
This comment has been minimized.
eddyb
Jan 30, 2019
Member
Punycode is defined in such a way that no two Unicode strings map to the same output, right?
I'm not sure what you're asking ("no two" distinct "Unicode strings"?). But for your example, this is what my implementation produces (in a crate named foo):
gödel:gdel_Fqa(_RNnCsbDqzXfLQacH_3foou8gdel_Fqa)göödel:gdel_Fqaa(_RNnCsbDqzXfLQacH_3foou9gdel_Fqaa)
This comment has been minimized.
This comment has been minimized.
shepmaster
Feb 1, 2019
Member
Mostly I was (am?) confused by:
"Gödel, Escher, Bach"is encoded as"Gdel, Escher, Bach-d3b"
Because that looks like "Gödel" is encoded as "Gdel"(simply removing those characters) and thus "Göödel" would also be encoded as "Gdel". Based on your output, I see two things:
- The
-d3bapplies to the whole string, not just "Bach". - This extra "stuff" (pardon my very technical jargon) around the string helps disambiguate things that would otherwise collide.
This comment has been minimized.
This comment has been minimized.
eddyb
Feb 2, 2019
•
Member
Everything after the last - is a set of base36-encoded compressed instructions to insert arbitrary codepoints at arbitrary positions in the string before. (and if there's no ASCII initial string, the - is also missing)
There's no notion of "collision" as this is a perfectly lossless encoding, and it can't even use less than a base36 (ASCII) character to encode an Unicode character.
In my example, the second a in Fqaa is the most compressed encoding in punycode (it's 0 in their base36): "insert the same codepoint as the last one, just after the last insert position".
You can test this out on online punycode decoders, just keep in mind most of them also want a xn-- prefix (which is what DNS uses).
EDIT: oh and you'll also need to remap A-J to 0-9 because the RFC doesn't want the punycode base36 part to use any decimal digits (I'm not sure why, actually, it doesn't seem relevant to the grammar).
This comment has been minimized.
This comment has been minimized.
CAD97
Feb 3, 2019
How do you tell gödel encoded as gdel_Fqa apart from a literal gdel_Fqa? For demangling I guess it doesn't matter if you only have one and gdel_Fqa shows up as gödel, but when mangling this would introduce a collision point, wouldn't it?
To prevent non-international domain names containing hyphens from being accidentally interpreted as Punycode, international domain name Punycode sequences have a so-called ASCII Compatible Encoding (ACE) prefix, "xn--", prepended. [source]
This makes me think that the symbols will collide without some way to tell apart a punycoded name versus an un-punycoded name. (This could just be an extra trailing _ on everything to represent an empty punycode section.)
This comment has been minimized.
This comment has been minimized.
eddyb
Feb 3, 2019
•
Member
The u flag indicates whether punycode encoding is being used.
EDIT: in my examples above, the u is before the length of the encoded identifier, i.e. u8gdel_Fqa and u9gdel_Fqaa.
|
|
||
| ### Compression/Substitution | ||
|
|
||
| The length of symbol names has an influence on how much work compiler, linker, and loader have to perform. The shorter the names, the better. At the same time, Rust's generics can lead to rather long names (which are often not visible in the code because of type inference and `impl Trait`). For example, the return type of the following function: |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| The length of symbol names has an influence on how much work compiler, linker, and loader have to perform. The shorter the names, the better. At the same time, Rust's generics can lead to rather long names (which are often not visible in the code because of type inference and `impl Trait`). For example, the return type of the following function: | |
| The length of symbol names has an influence on how much work the compiler, linker, and loader have to perform. The shorter the names, the better. At the same time, Rust's generics can lead to rather long names (which are often not visible in the code because of type inference and `impl Trait`). For example, the return type of the following function: |
| The length of symbol names has an influence on how much work compiler, linker, and loader have to perform. The shorter the names, the better. At the same time, Rust's generics can lead to rather long names (which are often not visible in the code because of type inference and `impl Trait`). For example, the return type of the following function: | ||
|
|
||
| ```rust | ||
| fn quux(s: Vec<u32>) -> impl Iterator<Item=(u32, usize)> { |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| fn quux(s: Vec<u32>) -> impl Iterator<Item=(u32, usize)> { | |
| fn quux(s: Vec<u32>) -> impl Iterator<Item = (u32, usize)> { |
This comment has been minimized.
This comment has been minimized.
eddyb
Jan 30, 2019
Member
This is an interesting point, in trait objects, the compiler (and demangler I wrote) still print without spaces around the =, e.g. dyn Iterator<Item=String>.
Should we change it?
This comment has been minimized.
This comment has been minimized.
Centril
Jan 30, 2019
Contributor
Should we change it?
Yes. Try rustfmt on: fn foo() -> impl Iterator<Item=u8> { 0..10 }
| ```rust | ||
| fn quux(s: Vec<u32>) -> impl Iterator<Item=(u32, usize)> { | ||
| s.into_iter() | ||
| .map(|x| x+1) |
This comment has been minimized.
This comment has been minimized.
| std::iter::Once<(u32, usize)>> | ||
| ``` | ||
|
|
||
| It would make for a long symbol name if this types is used (maybe repeatedly) as a generic argument somewhere. C++ has the same problem with its templates; which is why the Itanium mangling introduces the concept of compression. If a component of a definition occurs more than once, it will not be repeated and instead be emitted as a substitution marker that allows to reconstruct which component it refers to. The scheme proposed here will use the same approach. |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| It would make for a long symbol name if this types is used (maybe repeatedly) as a generic argument somewhere. C++ has the same problem with its templates; which is why the Itanium mangling introduces the concept of compression. If a component of a definition occurs more than once, it will not be repeated and instead be emitted as a substitution marker that allows to reconstruct which component it refers to. The scheme proposed here will use the same approach. | |
| It would make for a long symbol name if this type is used (maybe repeatedly) as a generic argument somewhere. C++ has the same problem with its templates; which is why the Itanium mangling introduces the concept of compression. If a component of a definition occurs more than once, it will not be repeated and instead be emitted as a substitution marker that allows to reconstruct which component it refers to. The scheme proposed here will use the same approach. |
|
|
||
| It would make for a long symbol name if this types is used (maybe repeatedly) as a generic argument somewhere. C++ has the same problem with its templates; which is why the Itanium mangling introduces the concept of compression. If a component of a definition occurs more than once, it will not be repeated and instead be emitted as a substitution marker that allows to reconstruct which component it refers to. The scheme proposed here will use the same approach. | ||
|
|
||
| The exact scheme will be described in detail in the reference level explanation below but it roughly works as follows: As a mangled symbol name is being built or parsed, we build up a dictionary of "substitutions", that is we keep track of things a subsequent occurrence of which could be replaced by a substitution marker. The substitution marker is then the lookup key into this dictionary. The things that are eligible for substitution are (1) all prefixes of absolute paths (including the entire path itself) and (2) all types except for basic types. If a substitutable item is already present in the dictionary it does not generate a new key. Here's an example in order to illustrate the concept: |
This comment has been minimized.
This comment has been minimized.
shepmaster
Jan 30, 2019
Member
| The exact scheme will be described in detail in the reference level explanation below but it roughly works as follows: As a mangled symbol name is being built or parsed, we build up a dictionary of "substitutions", that is we keep track of things a subsequent occurrence of which could be replaced by a substitution marker. The substitution marker is then the lookup key into this dictionary. The things that are eligible for substitution are (1) all prefixes of absolute paths (including the entire path itself) and (2) all types except for basic types. If a substitutable item is already present in the dictionary it does not generate a new key. Here's an example in order to illustrate the concept: | |
| The exact scheme will be described in detail in the reference level explanation below but it roughly works as follows: As a mangled symbol name is being built or parsed, we build up a dictionary of "substitutions", that is, we keep track of things a subsequent occurrence of which could be replaced by a substitution marker. The substitution marker is then the lookup key into this dictionary. The things that are eligible for substitution are (1) all prefixes of absolute paths (including the entire path itself) and (2) all types except for basic types. If a substitutable item is already present in the dictionary it does not generate a new key. Here's an example in order to illustrate the concept: |
This comment has been minimized.
This comment has been minimized.
michaelwoerister
commented
Feb 1, 2019
|
@eddyb I've taken a look at the grammar you are proposing and I really like the general approach! I need to actually work with it a little in order to get a feel for it and see if I can find issues that need clarifying, but I suspect it's already close to what we want. Thanks for all the work you've put into this! |
michaelwoerister commentedNov 27, 2018
Rendered
Reference Implementation
Pre-RFC
Summary
This RFC proposes a new mangling scheme that describes what the symbol names generated by the Rust compiler. This new scheme has a number of advantages over the existing one which has grown over time without a clear direction. The new scheme is consistent, does not depend on compiler internals, and the information it stores in symbol names can be decoded again which provides an improved experience for users of external tools that work with Rust symbol names. The new scheme is based on the name mangling scheme from the [Itanium C++ ABI][itanium-mangling].
Motivation
Due to its ad-hoc nature, the compiler's current name mangling scheme has a
number of drawbacks:
.characters which is not generally supported on all platforms. [1][2][3]The proposed scheme solves these problems:
A-Z,a-z,0-9, and_.This should make it easier for third party tools to work with Rust binaries.