String Handling in M7 Script
Overview
M7 Script provides robust string handling with support for single-quoted, double-quoted, and backtick-quoted strings, along with interpolation and escape sequences for enhanced flexibility.
1. String Types
Single-Quoted Strings ('
)
- Used for literal strings with no variable interpolation.
- Supports escape sequences.
var single = 'Hello, World!';
var escaped = 'This is a backslash: \\';
Double-Quoted Strings ("
)
- Supports escape sequences and special character handling.
- Does not support variable interpolation.
var double = "Hello\nWorld!";
print(double);
// Output:
// Hello
// World!
Backtick-Quoted Strings (`
) – Interpolated Strings
- Supports variable interpolation.
- Allows expressions inside
${}
.
var name = "Alice";
var greeting = `Hello, ${name}!`;
print(greeting); // Outputs: Hello, Alice!
- Expressions can be used inside interpolated strings.
var a = 5;
var b = 10;
print(`Sum: ${a + b}`); // Outputs: Sum: 15
2. Escape Sequences
M7 supports the following escape sequences within single and double-quoted strings:
Escape Sequence | Meaning |
---|---|
\n |
Newline |
\t |
Tab |
\\ |
Backslash |
\" |
Double quote |
\' |
Single quote |
var text = "Line 1\nLine 2";
print(text);
// Output:
// Line 1
// Line 2
3. String Concatenation
M7 supports two methods for string concatenation: +
and .
operators.
var firstName = "John";
var lastName = "Doe";
var fullName = firstName + " " + lastName;
print(fullName); // Outputs: John Doe
var part1 = "Hello";
var part2 = "World";
var message = part1 . ", " . part2 . "!";
print(message); // Outputs: Hello, World!
4. Multi-Line Strings
- Strings can span multiple lines using escaped newlines (
\
). - Backtick-quoted strings support natural multi-line syntax.
var multiline = `
This is a
multi-line string.`;
print(multiline);
var escapedMultiline = "This is a\nmultiline string.";
print(escapedMultiline);
5. Planned Feature: Raw Strings
- M7 does not yet support raw string literals (
r"text"
orr'...'
), but this is a planned feature. - Raw strings will disable escape sequences and allow unprocessed text.
var raw = r"C:\Users\Alice\Documents"; // Planned feature
This document provides an overview of string handling in M7 Script, including string types, interpolation, escape sequences, concatenation, and multi-line support.