HOME


Mini Shell 1.0
DIR: /home/otwalrll/.trash/wp-content/plugins/formidable/classes/helpers/
Upload File :
Current File : /home/otwalrll/.trash/wp-content/plugins/formidable/classes/helpers/FrmStringReaderHelper.php
<?php

if ( ! defined( 'ABSPATH' ) ) {
	die( 'You are not allowed to call this page directly.' );
}

/**
 * Given a string, this class will read through the string using
 * one of a number of terminating rules:
 * - One character.
 * - A specified number of characters.
 * - Until a matching character is found.
 *
 * @since 6.2
 */
class FrmStringReaderHelper {

	/**
	 * @var int
	 */
	private $pos = 0;

	/**
	 * @var int
	 */
	private $max = 0;

	/**
	 * @var string
	 */
	private $string;

	/**
	 * @param string $string
	 */
	public function __construct( $string ) {
		// Split the string up into an array of UTF-8 characters.
		// As an array we can read through it one character at a time.

		$this->string = $string;
		$this->max    = strlen( $this->string ) - 1;
	}

	/**
	 * Read characters until we reach the given character $char.
	 * By default, discard that final matching character and return the rest.
	 *
	 * @param string $char
	 * @param bool   $discard_char
	 * @return string
	 */
	public function read_until( $char, $discard_char = true ) {
		$value = '';

		while ( null !== ( $one = $this->read_one() ) ) {
			if ( $one !== $char || ! $discard_char ) {
				$value .= $one;
			}

			if ( $one === $char ) {
				break;
			}
		}

		return $value;
	}

	/**
	 * Read $count characters, or until we have reached the end,
	 * whichever comes first.
	 * By default, remove enclosing double-quotes from the result.
	 *
	 * @param int $count
	 * @return string
	 */
	public function read( $count ) {
		$value = '';

		while ( $count > 0 && ! is_null( $one = $this->read_one() ) ) {
			$value .= $one;
			--$count;
		}

		return $this->strip_quotes( $value );
	}

	/**
	 * Read the next character from the supplied string.
	 * Return null when we have run out of characters.
	 *
	 * @return string|null
	 */
	private function read_one() {
		if ( $this->pos <= $this->max ) {
			$value = $this->string[ $this->pos ];
			$this->pos += 1;
		} else {
			$value = null;
		}
		return $value;
	}

	/**
	 * Remove a single set of double-quotes from around a string.
	 *  abc => abc
	 *  "abc" => abc
	 *  ""abc"" => "abc"
	 *
	 * @param string $string
	 * @return string
	 */
	private function strip_quotes( $string ) {
		// Only remove exactly one quote from the start and the end and then only if there is one at each end.

		if ( strlen( $string ) < 2 || substr( $string, 0, 1 ) !== '"' || substr( $string, -1, 1 ) !== '"' ) {
			// Too short, or does not start or end with a quote.
			return $string;
		}

		// Return the middle of the string, from the second character to the second-but-last.
		return substr( $string, 1, -1 );
	}
}