React Native adicionar negrito ou itálico a palavras únicas no campo <Text>

113

Como coloco uma única palavra em negrito ou itálico em um campo de texto? Mais ou menos assim:

<Text>This is a sentence <b>with</b> one word in bold</Text>

Se eu criar um novo campo de texto para o caractere em negrito, ele o separará em outra linha, de modo que certamente não é a maneira de fazer isso. Seria como criar uma tag <p> dentro de uma tag <p> apenas para deixar uma palavra em negrito.

Hasen
fonte

Respostas:

209

Você pode usar <Text>como um contêiner para seus outros componentes de texto. Este é um exemplo:

...
<Text>
  <Text>This is a sentence</Text>
  <Text style={{fontWeight: "bold"}}> with</Text>
  <Text> one word in bold</Text>
</Text>
...

Aqui está um exemplo .

Slowyn
fonte
1
Sim, mas como eu disse, isso não funcionaria porque cada elemento de texto é separado em linhas diferentes.
Hasen
1
Se você dividir o seu <Text style={{fontWeight: 'bold'}}> with</Text>em três linhas separadas, você perderá o espaço do espaço inicial, então você pode querer usá-lo {' with'}para ter certeza de que sempre o terá.
Christoffer Karlsson
1
Só quero ressaltar que se styled-componentsvocê puder passar um negrito property.
Crazy Barney
2
@KonstantinYakushin Link está quebrado, fyi
kevlarjacket
@kevlarjacket Sim. Infelizmente, o serviço rnplay está fechado. Vou tentar atualizar o exemplo.
Slowyn
59

Para uma sensação mais semelhante à da web:

const B = (props) => <Text style={{fontWeight: 'bold'}}>{props.children}</Text>
<Text>I am in <B>bold</B> yo.</Text>
usuario
fonte
2
isso não funciona para variáveis ​​que têm um valor de string
Ismail Iqbal
4
como uma web, eu diria - use em <Strong>vez de <B>:)
pie6k
Haverá falha no iOS e no Android. Você não pode usar a tag <Text> dentro de <Text>
Hakan
Você poderia adicionar const B = this.Baorender
Idan
@Hakan - reactnative.dev/docs/text - Só queria salientar que as tags <Text> aninhadas agora fazem parte da especificação.
ejb
8

você pode usar https://www.npmjs.com/package/react-native-parsed-text

import ParsedText from 'react-native-parsed-text';
 
class Example extends React.Component {
  static displayName = 'Example';
 
  handleUrlPress(url) {
    LinkingIOS.openURL(url);
  }
 
  handlePhonePress(phone) {
    AlertIOS.alert(`${phone} has been pressed!`);
  }
 
  handleNamePress(name) {
    AlertIOS.alert(`Hello ${name}`);
  }
 
  handleEmailPress(email) {
    AlertIOS.alert(`send email to ${email}`);
  }
 
  renderText(matchingString, matches) {
    // matches => ["[@michel:5455345]", "@michel", "5455345"]
    let pattern = /\[(@[^:]+):([^\]]+)\]/i;
    let match = matchingString.match(pattern);
    return `^^${match[1]}^^`;
  }
 
  render() {
    return (
      <View style={styles.container}>
        <ParsedText
          style={styles.text}
          parse={
            [
              {type: 'url',                       style: styles.url, onPress: this.handleUrlPress},
              {type: 'phone',                     style: styles.phone, onPress: this.handlePhonePress},
              {type: 'email',                     style: styles.email, onPress: this.handleEmailPress},
              {pattern: /Bob|David/,              style: styles.name, onPress: this.handleNamePress},
              {pattern: /\[(@[^:]+):([^\]]+)\]/i, style: styles.username, onPress: this.handleNamePress, renderText: this.renderText},
              {pattern: /42/,                     style: styles.magicNumber},
              {pattern: /#(\w+)/,                 style: styles.hashTag},
            ]
          }
          childrenProps={{allowFontScaling: false}}
        >
          Hello this is an example of the ParsedText, links like http://www.google.com or http://www.facebook.com are clickable and phone number 444-555-6666 can call too.
          But you can also do more with this package, for example Bob will change style and David too. foo@gmail.com
          And the magic number is 42!
          #react #react-native
        </ParsedText>
      </View>
    );
  }
}
 
const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    alignItems: 'center',
    backgroundColor: '#F5FCFF',
  },
 
  url: {
    color: 'red',
    textDecorationLine: 'underline',
  },
 
  email: {
    textDecorationLine: 'underline',
  },
 
  text: {
    color: 'black',
    fontSize: 15,
  },
 
  phone: {
    color: 'blue',
    textDecorationLine: 'underline',
  },
 
  name: {
    color: 'red',
  },
 
  username: {
    color: 'green',
    fontWeight: 'bold'
  },
 
  magicNumber: {
    fontSize: 42,
    color: 'pink',
  },
 
  hashTag: {
    fontStyle: 'italic',
  },
 
});

Ahmad Moussa
fonte
1
Obrigado por compartilhar o ParsedText! Brilhante
Monero Jeanniton
Bem-vindos, rapazes. Boa codificação
Ahmad Moussa
5

Use esta biblioteca nativa react

Para instalar

npm install react-native-htmlview --save

Uso Básico

 import React from 'react';
 import HTMLView from 'react-native-htmlview';

  class App extends React.Component {
  render() {
   const htmlContent = 'This is a sentence <b>with</b> one word in bold';

  return (
   <HTMLView
     value={htmlContent}
   />    );
  }
}

Suporta quase todas as tags html.

Para uso mais avançado, como

  1. Tratamento de links
  2. Renderização de elemento personalizado

Veja este Leia-me

Ismail Iqbal
fonte
3

Não está em um campo de texto conforme solicitado, mas agrupar elementos de texto separados em uma visualização forneceria a saída desejada. Isso pode ser usado se você não quiser adicionar outra biblioteca em seu projeto apenas para estilizar alguns textos.

<View style={{flexDirection: 'row'}}>
 <Text style={{fontWeight: '700', marginRight: 5}}>Contact Type:</Text>
 <Text>{data.type}</Text>
</View>

Resultaria da seguinte forma

insira a descrição da imagem aqui

Cea
fonte
1

insira a descrição da imagem aqui

Eu sou um mantenedor de react-native-spannable-string

O <Text/>componente aninhado com estilo personalizado funciona bem, mas a capacidade de manutenção é baixa.

Eu sugiro que você construa uma string spannable assim com esta biblioteca.

SpannableBuilder.getInstance({ fontSize: 24 })
    .append('Using ')
    .appendItalic('Italic')
    .append(' in Text')
    .build()
MJ Studio
fonte
0

Você pode simplesmente aninhar os componentes de texto com o estilo necessário. O estilo será aplicado junto com o estilo já definido no primeiro componente Texto.

Exemplo:

 <Text style={styles.paragraph}>
   Trouble singing in. <Text style={{fontWeight: "bold"}}> Resolve</Text>
 </Text>
Sidharth V
fonte
0

O aninhamento de componentes de texto não é possível agora, mas você pode agrupar seu texto em uma visualização assim:

<View style={{flexDirection: 'row', flexWrap: 'wrap'}}>
    <Text>
        {'Hello '}
    </Text>
    <Text style={{fontWeight: 'bold'}}>
        {'this is a bold text '}
    </Text>
    <Text>
        and this is not
    </Text>
</View>

Usei as strings dentro dos colchetes para forçar o espaço entre as palavras, mas você também pode conseguir isso com marginRight ou marginLeft. Espero que ajude.

Esteban Dib
fonte
0

por exemplo!

const TextBold = (props) => <Text style={{fontWeight: 'bold'}}>Text bold</Text>

<Text> 123<TextBold/> </Text>

Anh Tuấn Lê
fonte
0
<Text>
    <Text style={{fontWeight: "bold"}}>bold</Text>
    normal text
    <Text style={{fontStyle: "italic"}}> italic</Text>
</Text>
Naveen Jadala
fonte
Adicionar alguma explicação para o seu código seria preferível
keikai
-1

Texto em negrito:

<Text>
  <Text>This is a sentence</Text>
  <Text style={{fontWeight: "bold"}}> with</Text>
  <Text> one word in bold</Text>
</Text>

Texto em itálico:

<Text>
  <Text>This is a sentence</Text>
  <Text style={{fontStyle: "italic"}}> with</Text>
  <Text> one word in italic</Text>
</Text>
Monero Jeanniton
fonte